diff --git a/.DS_Store b/.DS_Store new file mode 100644 index 0000000..3bc3844 Binary files /dev/null and b/.DS_Store differ diff --git a/README.md b/README.md index 65c37a2..b82600a 100644 --- a/README.md +++ b/README.md @@ -1,12 +1,904 @@ -### ff, 集成以下项目的开发环境 +# FF 组件库 + +基于 React 的企业级组件库,提供完整的页面开发解决方案。 + +## 目录 + +- [核心模块](#核心模块) + - [主入口 - `ff`](#主入口---ff) + - [ff (default)](#ff-default) + - [http](#http) + - [cache](#cache) + - [func](#func) + - [route](#route) + - [Hooks - `ff/hooks`](#hooks---ffhooks) + - [工具函数 - `ff/utils`](#工具函数---ffutils) + - [数据转换器 - `ff/data-converter`](#数据转换器---ffdata-converter) + - [WebSocket 订阅 - `ff/res-ws`](#websocket-订阅---ffres-ws) +- [组件模块](#组件模块) + - [按钮 - `ff/button`](#按钮---ffbutton) + - [容器 - `ff/container`](#容器---ffcontainer) + - [数据列表 - `ff/data-list`](#数据列表---ffdata-list) + - [网格布局 - `ff/grid-layout`](#网格布局---ffgrid-layout) + - [网格表单 - `ff/grid-layout-form`](#网格表单---ffgrid-layout-form) + - [图标 - `ff/iconfont`](#图标---fficonfont) +- [技术栈](#技术栈) +- [Peer Dependencies](#peer-dependencies) +- [完整示例](#完整示例) +- [许可证](#许可证) + +## 核心模块 + +### 主入口 - `ff` + +> **详细文档:** [ff-core/README.md](src/ff-core/README.md) + +```javascript +import ff, { http, cache, configure, func, route } from 'ff' +import { AppContext, AppGlobalParamsContext } from 'ff' ``` -@ff/button -@ff/container -@ff/core -@ff/data-list -@ff/grid-layout -@ff/grid-layout-form -@ff/iconfont -@ff/pages + +#### ff (default) + +核心应用实例,管理用户认证、环境初始化、组件加载。 + +**主要方法:** + +```javascript +// 注册组件供应商 +ff.setVendor(key, vendor) // => ff + +// 动态加载组件 +ff.getWidgetComponent(widgetPath) // => Promise +// 示例: ff.getWidgetComponent('@pkg/components/Button') + +// 获取路由配置 +ff.getRoutes() // => Promise + +// 获取菜单配置 +ff.getMenus() // => Promise + +// 获取应用配置 +ff.getConfigure() // => Promise + +// 获取权限配置 +ff.getWidgetOperationAuth() // => Promise + +// 用户登录 +ff.signin(username, password) // => Promise + +// 用户登出 +ff.signout() // => Promise + +// 获取当前用户信息 +ff.getUser() // => Object | null + +// 初始化应用 +ff.init(params) // => Promise ``` -### 最终打包到 [ff](https://git.fsdpf.net/npm/ff-dist.git). + +#### http + +HTTP 请求封装,支持缓存、去重、Base62 编解码。 + +**HttpResponse 类型:** + +HttpResponse 实现了 Promise A+ 规范,支持链式调用。 + +> 请求失败时,如果没有主动处理错误(即未使用 `try-catch` 包裹,也未调用 `.msg()` 或 `.catch()` 方法),系统会通过 `unhandledrejection` 机制自动弹窗显示错误消息。 + +```typescript +interface HttpResponse extends Promise { + code: number // 0 或 1 表示成功,其他表示失败 + message: string // 响应消息 + data: any // 响应数据 + url: string // 请求 URL + res?: string // 数据资源 UUID (用于 useSubscribeRequest 订阅更新) + + // Promise A+ 方法 + then(onFulfilled, onRejected): Promise + catch(onRejected): Promise + + // 扩展方法 + resp(callback): Promise // 接收完整响应对象 + msg(callback, isResp?): Promise // 弹窗显示消息后执行回调, isResp = true,回调接收完整响应对象 +} +``` + +**API 方法:** + +```javascript +// 基础请求 - 返回 HttpResponse 对象 +http.request(config) // => HttpResponse +http.get(url, config) // => HttpResponse +http.post(url, data, config) // => HttpResponse +http.put(url, data, config) // => HttpResponse +http.delete(url, config) // => HttpResponse + +// 列表请求 (自动处理 Base62 编码) +http.list(listCode, params) // => HttpResponse + +// Base62 编解码 +http.encode(data) // => string +http.decode(str) // => Object + +// 缓存控制 +http.cache(url, params) // => HttpResponse (永久缓存) +http.refreshCache(isSystem) // 清除缓存 +``` +**使用示例:** + +```javascript +// 1. 基础请求 - then() 自动解析为 data +const users = await http.get('/api/users') +// users 是 response.data + +// 2. 获取完整响应对象 - 使用 .resp() +const response = await http.get('/api/users').resp(resp => { + console.log('状态码:', resp.code) // 0 或 1 + console.log('消息:', resp.message) // '操作成功' + console.log('资源UUID:', resp.res) // 用于订阅 + console.log('URL:', resp.url) // '/api/users' + return resp.data +}) + +// 3. 成功后弹窗提示 - 使用 .msg() +await http.post('/api/users', userData).msg(() => { + console.log('用户创建成功,消息已弹窗显示') +}) + +// 4. 错误处理 +try { + const data = await http.get('/api/users') +} catch (error) { + console.error('请求失败:', error) +} +``` + +#### cache + +缓存管理器。 + +```javascript +// 设置缓存 +cache.set(key, value, ttl) // ttl: 过期时间(秒) + +// 获取缓存 +cache.get(key) // => value | null + +// 删除缓存 +cache.delete(key) + +// 清空所有缓存 +cache.clear() + +// 检查缓存是否存在 +cache.has(key) // => boolean +``` + +#### func + +函数执行器,支持 Web Worker 沙箱执行。 + +```javascript +// 执行 JavaScript 代码字符串 +func.exec(code, params, helpers) // => Promise + +// 示例 +await func.exec( + 'return value * 2', + { value: 10 }, + { getFieldValue: (name) => form.getFieldValue(name) } +) // => 20 +``` + +#### route + +路由管理器。 + +```javascript +// 路由跳转 +route.push(path, params) +route.replace(path, params) + +// 获取当前路由 +route.getCurrentRoute() +``` + +--- + +### Hooks - `ff/hooks` + +> **详细文档:** [ff-core/README.md#hooks-模块-hooksjs](src/ff-core/README.md#hooks-模块-hooksjs) + +React Hooks 工具集。 + +```javascript +import { + useMergedState, + useUpdate, + usePrevious, + useStateWithCallback, + useDeepEqualEffect, + useOptions, + useSubscribeRequest +} from 'ff/hooks' +``` + +#### useMergedState(defaultValue, options) + +合并状态管理,结合内部 state 和外部 props。 + +```javascript +const [value, setValue] = useMergedState(defaultValue, { + value: props.value, + onChange: props.onChange +}) +``` + +#### useUpdate() + +强制更新组件。 + +```javascript +const forceUpdate = useUpdate() +// 调用 forceUpdate() 强制组件重新渲染 +``` + +#### usePrevious(state) + +获取上一次的状态值。 + +```javascript +const prevValue = usePrevious(value) +``` + +#### useStateWithCallback(initialState) + +带回调的状态管理。 + +```javascript +const [state, setState] = useStateWithCallback(initialState) +setState(newState, (currentState) => { + console.log('状态已更新:', currentState) +}) +``` + +#### useDeepEqualEffect(callback, deps, compare) + +深度对比的 useEffect,只在依赖真正变化时执行。 + +```javascript +useDeepEqualEffect(() => { + // 只有当 deps 深度对比不相等时才执行 +}, [complexObject]) +``` + +#### useOptions(options, language, type, form, basicForm) + +选项数据处理,支持静态数组或动态 JS 代码。 + +```javascript +const options = useOptions( + fieldOptions, // 选项数据或 JS 代码 + 'javascript', // 'json' | 'javascript' + 'string', // 值类型 + form, // 表单实例 + basicForm // 基础表单实例 +) +``` + +#### useSubscribeRequest(param) + +WebSocket 订阅请求。 + +```javascript +const data = useSubscribeRequest({ + uri: '/api/subscribe', + params: { id: 123 } +}) +``` + +--- + +### 工具函数 - `ff/utils` + +> **详细文档:** [ff-core/README.md#工具函数模块-utilsjs](src/ff-core/README.md#工具函数模块-utilsjs) + +通用工具函数集合。 + +```javascript +import { + toPrimitive, + getPrimitiveType, + uuid, + hashJSON, + replaceKeys, + deepSome, + getWidgetPropsData, + getPkgName, + getPkgCategory, + getPkgOwner, + makeUniqueIdGenerator, + hasUrlPrefix, + getUrlWithPrefix +} from 'ff/utils' +``` + +#### toPrimitive(data, type) + +类型转换。 + +```javascript +toPrimitive('123', 'number') // => 123 +toPrimitive('true', 'boolean') // => true +toPrimitive('[1,2]', 'array') // => [1, 2] +toPrimitive('{"a":1}', 'json') // => { a: 1 } +``` + +#### getPrimitiveType(value) + +获取原始类型。 + +```javascript +getPrimitiveType(123) // => 'number' +getPrimitiveType('text') // => 'string' +getPrimitiveType([1, 2]) // => 'array' +``` + +#### uuid() + +生成唯一标识符。 + +```javascript +const id = uuid() // => 'xxxxxxxx-xxxx-4xxx-yxxx-xxxxxxxxxxxx' +``` + +#### hashJSON(obj, bits, algo) + +计算 JSON 对象的哈希值。 + +```javascript +const hash = hashJSON({ name: 'test' }, 128, 'md5') +``` + +#### replaceKeys(obj, keyMap) + +批量替换对象键名。 + +```javascript +replaceKeys( + { oldKey: 'value' }, + { oldKey: 'newKey' } +) // => { newKey: 'value' } +``` + +--- + +### 数据转换器 - `ff/data-converter` + +> **详细文档:** [ff-core/README.md#数据转换器-data-converterjs](src/ff-core/README.md#数据转换器-data-converterjs) + +中间件模式的数据转换器。 + +```javascript +import DataConverter from 'ff/data-converter' +``` + +**使用方式:** + +```javascript +const converter = new DataConverter([ + [middleware1, options1], + [middleware2, options2] +]) + +// 转换为值 +const value = await converter.toValue(rawData, context) + +// 转换为渲染内容 +const rendered = await converter.toRender(rawData, context, defaultValue) +``` + +--- + +### WebSocket 订阅 - `ff/res-ws` + +> **详细文档:** [ff-core/README.md](src/ff-core/README.md) + +WebSocket 资源订阅管理器。 + +```javascript +import ResWs from 'ff/res-ws' + +// 创建订阅 +const ws = new ResWs({ + uri: '/api/subscribe', + params: { id: 123 }, + onMessage: (data) => console.log(data) +}) + +// 发送消息 +ws.send(data) + +// 关闭连接 +ws.close() +``` + +--- + +## 组件模块 + +### 按钮 - `ff/button` + +> **详细文档:** [ff-button/README.md](src/ff-button/README.md) + +```javascript +import Button, { auth, useButton } from 'ff/button' +``` + +**组件 Props:** + +| 属性 | 类型 | 默认值 | 说明 | +|------|------|--------|------| +| type | `'primary'` \| `'default'` \| `'danger'` | `'default'` | 按钮类型 | +| size | `'large'` \| `'middle'` \| `'small'` | `'middle'` | 按钮大小 | +| name | `string` | - | 按钮文本 | +| icon | `string` | - | 图标名称 | +| loading | `boolean` | `false` | 加载状态 | +| disabled | `boolean` | `false` | 禁用状态 | +| data | `any` | - | 传递给点击事件的数据源 | +| widget | `string` \| `Component` \| `Function` | - | 组件路径、组件或函数 | +| widgetType | `'destroy'` \| `'redirect'` \| `'func'` \| `'component'` \| `'grid-layout-form'` \| `'data-list'` | - | 组件类型 | +| widgetData | `object` | - | 组件默认数据 | +| widgetProps | `object` | - | 数据结构映射 | +| widgetSetting | `object` | - | 组件设置 | +| widgetContainerProps | `WidgetContainerProps` | - | 容器配置 | +| tooltip | `TooltipConfig` | - | 提示配置 | +| confirm | `ConfirmConfig` | - | 确认对话框配置 | +| onBeforeClick | `(data) => void` | - | 点击前回调 | +| onAfterClick | `(result) => void` | - | 点击后回调 | + +**TooltipConfig 类型:** + +| 属性 | 类型 | 默认值 | 说明 | +|------|------|--------|------| +| title | `string` | - | 提示内容(必填) | +| placement | `string` | - | 位置 | +| enabled | `boolean \| number` | - | 是否启用 | +| getPopupContainer | `Function` | - | 自定义容器 | + +**ConfirmConfig 类型:** + +| 属性 | 类型 | 默认值 | 说明 | +|------|------|--------|------| +| title | `string` | - | 确认内容(必填) | +| okText | `string` | - | 确定按钮文本 | +| cancelText | `string` | - | 取消按钮文本 | +| okType | `string` | - | 确定按钮类型 | +| placement | `string` | - | 位置 | +| enabled | `boolean \| number` | - | 是否启用 | +| getPopupContainer | `Function` | - | 自定义容器 | +| arrow | `boolean \| object` | - | 箭头配置 | + +**WidgetContainerProps 类型:** + +| 属性 | 类型 | 默认值 | 说明 | +|------|------|--------|------| +| title | `string` | - | 标题 | +| placement | `string` | - | 位置(top/left/right/bottom 等) | +| width | `number` | `260` | 宽度 | +| height | `number` | - | 高度 | +| zIndex | `number` | - | 层级 | +| arrow | `boolean` \| `object` | `{ pointAtCenter: true }` | 箭头配置 | +| align | `object` | - | 对齐配置 | +| isPopupMountBodyContainer | `boolean` | `true` | 是否挂载到 body | +| getPopupContainer | `Function` | - | 自定义容器 | +| classNames | `object` | - | 自定义类名(header/body/footer) | +| className | `string` | - | 根元素类名 | + +**组件:** + +```jsx +// 默认按钮 +} + extras={
扩展区
} +> + 页面内容 + +``` + +**Popup API:** + +```javascript +// 打开模态框 +Popup.modal(component, props, containerProps) // => Promise + +// 通知消息 +Popup.notification(content, options) // => Promise + +// 成功提示 +Popup.success(content, options) // => Promise + +// 错误提示 +Popup.error(content, options) // => Promise + +// 确认对话框 +Popup.confirm(content, options) // => Promise + +// 表单弹窗 +Popup.form(fields, containerProps, formProps) // => Promise +``` + +--- + +### 数据列表 - `ff/data-list` + +> **详细文档:** [ff-data-list/README.md](src/ff-data-list/README.md) + +```javascript +import DataList, { + DataListHelper, + DataListFilter, + DataListToolbar, + DataListTable, + DataListFramework +} from 'ff/data-list' + +import { useDataListHelper } from 'ff/data-list/utils' +``` + +**DataList Props:** + +| 属性 | 类型 | 默认值 | 说明 | +|------|------|--------|------| +| listCode | `string` | - | 列表资源代码(必填) | +| isItemGridLayout | `boolean` | `false` | 是否使用网格布局 | +| theme | `string` | - | 自定义主题组件路径 | +| themeProps | `object` | - | 传递给主题组件的属性 | +| total | `number` | `0` | 数据总条数 | +| page | `number` | `0` | 当前页码 | +| pageSize | `number` | `30` | 每页条数 | +| tab | `string` | - | 当前选中的 Tab | +| keyword | `string` | - | 搜索关键字 | +| condition | `object` | - | 筛选条件对象 | +| sider | `string` | - | 侧边栏选中项 | +| payload | `object` | `{}` | 额外的请求参数 | +| layouts | `object \| false` | - | 自定义布局组件配置 | +| classNames | `object` | `{}` | 各部分的类名配置 | +| onReload | `function` | - | 重新加载回调 | +| onClickCallback | `function` | - | 操作按钮点击回调 | +| onPageChange | `function` | - | 页码变化回调 | +| onPageSizeChange | `function` | - | 每页条数变化回调 | +| onTabChange | `function` | - | Tab 变化回调 | +| onKeywordChange | `function` | - | 关键字变化回调 | +| onConditionChange | `function` | - | 筛选条件变化回调 | +| onSiderChange | `function` | - | 侧边栏变化回调 | + +**基础使用:** + +```jsx + +``` + +**使用 Hook:** + +```javascript +const helper = useDataListHelper('user-list', { + page: 1, + pageSize: 20, + condition: {} +}) + +// helper 包含: +// - dataSource: 数据源 +// - total: 总数 +// - page, pageSize: 分页信息 +// - onPageChange: 分页回调 +// - onConditionChange: 筛选回调 +// - onReload: 刷新方法 +``` + +--- + +### 网格布局 - `ff/grid-layout` + +> **详细文档:** [ff-grid-layout/README.md](src/ff-grid-layout/README.md) + +```javascript +import GridLayout, { GridLayoutWidget, GridLayoutFramework } from 'ff/grid-layout' +import { useStructure, useField, useFnRun } from 'ff/grid-layout/utils' +``` + +**GridLayout Props:** + +| 属性 | 类型 | 默认值 | 说明 | +|------|------|--------|------| +| name | `string` | - | 表单名称 | +| form | `FormInstance` | `null` | rc-field-form 实例 | +| basicForm | `FormInstance` | `null` | 基础表单实例 | +| style | `object` | `{}` | 容器样式 | +| className | `string` | - | 容器类名 | +| cols | `number` | `12` | 网格列数 | +| rowHeight | `number` | `21` | 行高(px) | +| containerPadding | `[number, number]` | `[0, 0]` | 容器内边距 [y, x] | +| itemMargin | `[number, number]` | `[4, 0]` | 元素间距 [y, x] | +| formProps | `object` | `{}` | 表单额外属性 | +| formFields | `array` | `[]` | 表单字段配置 | +| fields | `array` | `[]` | 布局字段配置 | +| data | `object` | - | 表单数据 | +| theme | `string` | - | 主题框架路径 | +| themeProps | `object` | `{}` | 主题框架属性 | +| groups | `array` | `[{key:'default',label:'默认'}]` | 分组配置 | + +**基础使用:** + +```jsx + +``` + +**使用 Hook:** + +```javascript +// 获取远程配置 +const structure = useStructure('layout-code') + +// 字段值处理 +const [displayValue, rawValue] = useField(name, fieldConfig) + +// 执行动态函数 +const [result, error] = useFnRun(jsCode, initialValue, params, helpers) +``` + +--- + +### 网格表单 - `ff/grid-layout-form` + +> **详细文档:** [ff-grid-layout-form/README.md](src/ff-grid-layout-form/README.md) + +```javascript +import GridLayoutForm, { GridLayoutFormHelper } from 'ff/grid-layout-form' +import { + useFormAction, + useFormData, + useFormSubmit, + useRules +} from 'ff/grid-layout-form/utils' +``` + +**GridLayoutForm Props:** + +| 属性 | 类型 | 默认值 | 说明 | +|------|------|--------|------| +| name | `string` | - | 表单名称 | +| form | `FormInstance` | `null` | rc-field-form 实例 | +| basicForm | `FormInstance` | `null` | 基础表单实例 | +| style | `object` | `{}` | 自定义样式 | +| className | `string` | - | 自定义类名 | +| cols | `number` | `24` | 网格列数 | +| rowHeight | `number` | `16` | 行高(px) | +| itemMargin | `[number, number]` | `[8, 16]` | 字段间距 [x, y] | +| containerPadding | `[number, number]` | `[0, 0]` | 容器内边距 [y, x] | +| fields | `array` | `[]` | 字段配置数组 | +| hides | `array` | `[]` | 隐藏字段数组 | +| primaryKey | `number \| string` | `0` | 主键值(编辑模式) | +| formProps | `object` | `{}` | 表单额外属性 | +| formFields | `array` | `[]` | 表单额外字段 | +| listenChangeFields | `array` | - | 监听变化的字段名数组 | +| listenChangeFieldsFunc | `string` | - | 字段变化回调函数 | +| onValuesChange | `function` | - | 表单值变化回调 | +| theme | `string` | - | 主题框架组件路径 | +| themeProps | `object` | `{}` | 主题框架属性 | +| groups | `array` | `[{key:'default',label:'默认'}]` | 分组配置 | + +**基础使用:** + +```jsx +const [form] = Form.useForm() + + +``` + +**使用 Hook:** + +```javascript +// 表单操作 (获取数据 + 提交) +const submit = useFormAction(form, 'user-form', userId) +await submit({ + serialize: (values) => values, + onSuccess: () => console.log('成功'), + onFail: (err) => console.error(err) +}) + +// 仅获取数据 +const formData = useFormData('user-form', userId) + +// 仅提交 +const submit = useFormSubmit('user-form', userId) +await submit(form, options) + +// 校验规则 +const rules = useRules({ + required: true, + type: 'string', + max: 100, + message: '必填且不超过100字符' +}) +``` + +--- + +### 图标 - `ff/iconfont` + +> **详细文档:** [ff-iconfont/README.md](src/ff-iconfont/README.md) + +```javascript +import Iconfont from 'ff/iconfont' +``` + +**Iconfont Props:** + +| 属性 | 类型 | 默认值 | 说明 | +|------|------|--------|------| +| type | `string` | - | 图标类型(iconfont 图标名称,必填) | +| className | `string` | - | 自定义类名 | +| style | `object` | `{}` | 自定义样式 | + +**初始化:** + +```javascript +// 应用启动时初始化 +Iconfont.init([ + '//at.alicdn.com/t/font_xxx.js', + '//at.alicdn.com/t/font_yyy.js' +]) +``` + +**使用:** + +```jsx + +``` + +--- + +## 技术栈 + +- **框架:** React 18.2+ +- **构建:** Vite 5.2+ +- **表单:** rc-field-form 1.44+ +- **UI:** Ant Design 5.17+ +- **样式:** Less + +## Peer Dependencies + +```json +{ + "react": "^18.2.0", + "react-dom": "^18.2.0", + "antd": "^5.17.0", + "rc-field-form": "^1.44.0", + "lodash": "^4.17.21", + "classnames": "^2.5.1" +} +``` + +## 完整示例 + +```jsx +import React from 'react' +import ff, { http } from 'ff' +import { useDataListHelper } from 'ff/data-list/utils' +import Button from 'ff/button' +import Container from 'ff/container' +import DataList from 'ff/data-list' +import Iconfont from 'ff/iconfont' + +// 初始化 +Iconfont.init(['//at.alicdn.com/t/font_xxx.js']) + +function App() { + const helper = useDataListHelper('users', { page: 1 }) + + const handleAdd = async () => { + await http.post('/api/users', { name: 'New User' }) + helper.onReload() + } + + return ( + 添加} + > + + + ) +} +``` + +## 许可证 + +作者: what-00@qq.com diff --git a/dist/button.js b/dist/button.js index 8f1a8d6..0a93e47 100644 --- a/dist/button.js +++ b/dist/button.js @@ -1,4 +1,4 @@ -import { aj as s, ai as u, ak as e } from "./common/main-BEaQ6Xnt.js"; +import { aj as s, ai as u, ak as e } from "./common/main-C0CYfBDd.js"; export { s as auth, u as default, diff --git a/dist/common/main-BEaQ6Xnt.js b/dist/common/main-BEaQ6Xnt.js deleted file mode 100644 index 9130ab9..0000000 --- a/dist/common/main-BEaQ6Xnt.js +++ /dev/null @@ -1,1185 +0,0 @@ -var In = Object.defineProperty; -var zt = (e) => { - throw TypeError(e); -}; -var Mn = (e, t, n) => t in e ? In(e, t, { enumerable: !0, configurable: !0, writable: !0, value: n }) : e[t] = n; -var $ = (e, t, n) => Mn(e, typeof t != "symbol" ? t + "" : t, n), Bt = (e, t, n) => t.has(e) || zt("Cannot " + n); -var y = (e, t, n) => (Bt(e, t, "read from private field"), n ? n.call(e) : t.get(e)), A = (e, t, n) => t.has(e) ? zt("Cannot add the same private member more than once") : t instanceof WeakSet ? t.add(e) : t.set(e, n), U = (e, t, n, a) => (Bt(e, t, "write to private field"), a ? a.call(e, n) : t.set(e, n), n); -var Wt = (e, t, n, a) => ({ - set _(i) { - U(e, t, i, n); - }, - get _() { - return y(e, t, a); - } -}); -import { jsx as u, jsxs as O } from "react/jsx-runtime"; -import S, { useEffect as I, useState as j, useCallback as G, useRef as K, useContext as re, useMemo as q, useId as wt, isValidElement as zn, useLayoutEffect as Bn } from "react"; -import b from "prop-types"; -import F from "classnames"; -import * as Dt from "react-is"; -import { useNotification as Wn } from "rc-notification"; -import m from "lodash"; -import Z, { Field as Rt, FieldContext as en } from "rc-field-form"; -import { M as mt, N as Ve, a as Ie, _ as bt, S as Dn } from "./vender-FNiQWFaA.js"; -import tn from "immutability-helper"; -import { Space as Un, Form as et, Input as qn, Button as nt, Pagination as _n, Tree as Kn, Breadcrumb as Hn, Table as Jn, Empty as Gn, Popover as Yn, Popconfirm as Xn, Tooltip as Qn } from "antd"; -import { useMergedState as Zn } from "rc-util"; -import { generatePath as ea, useInRouterContext as nn, useParams as ta, useLocation as na, createBrowserRouter as aa, Navigate as ia } from "react-router-dom"; -import "rc-util/lib/hooks/useMergedState"; -import ra from "rc-drawer"; -import oa from "rc-dialog"; -var Re, ze, Oe, ue, ve, Pe; -class an { - constructor(t, n) { - A(this, Re, /* @__PURE__ */ new Map()); - A(this, ze, !0); - A(this, Oe, []); - A(this, ue); - A(this, ve, () => y(this, ue)); - A(this, Pe, () => Promise.resolve()); - $(this, "get", (...t) => new Promise((n, a) => { - const i = JSON.stringify(t); - if (y(this, Re).has(i)) return n(y(this, Pe).call(this, y(this, ue), ...t)); - if (y(this, ue) === void 0) y(this, Oe).push([t, n, a]), y(this, ze) && (U(this, ze, !1), Promise.resolve(typeof y(this, ve) == "function" ? y(this, ve).call(this) : y(this, ve)).then((r) => U(this, ue, r || null)).finally(() => { - y(this, Oe).forEach(([r, o, s]) => { - try { - const l = y(this, Pe).call(this, y(this, ue), ...r); - y(this, Re).set(JSON.stringify(r), l), o(l); - } catch (l) { - s(l); - } - }), y(this, Oe).length = 0; - })); - else { - const r = y(this, Pe).call(this, y(this, ue), ...t); - y(this, Re).set(i, r), n(r); - } - })); - U(this, Pe, n), U(this, ve, t); - } -} -Re = new WeakMap(), ze = new WeakMap(), Oe = new WeakMap(), ue = new WeakMap(), ve = new WeakMap(), Pe = new WeakMap(); -const Pi = () => u("div", { children: "Empty" }), _e = S.createContext({ ele: {}, mount: () => { -}, unmount: () => { -} }), J = ({ rootClassName: e, className: t, children: n, actions: a, title: i, subTitle: r, extras: o, style: s = {} }) => { - const { mount: l, unmount: d } = S.useContext(_e); - return J.Action({ children: a }), J.Title({ children: i }), J.SubTitle({ children: r }), J.Extra({ children: o }), I(() => (l("rootClassName", e), () => d(e)), [e]), u("div", { className: F("ff-container", t), style: s, children: n }); -}, Ze = (e) => ({ children: t, className: n }) => { - const { mount: a, unmount: i } = S.useContext(_e); - return I(() => (t && a(e, S.createElement("div", { key: `ff-${e}`, className: F(`ff-popup-${e}`, n) }, t)), () => i(e)), [n, t]), null; -}; -J.Action = Ze("actions"), J.Title = Ze("title"), J.SubTitle = Ze("sub-title"), J.Extra = Ze("extras"), J.propTypes = { className: b.string, style: b.object, title: b.any, subTitle: b.any, actions: b.any, extras: b.any }; -const $i = () => u(J, { className: "ff-loading", children: O("div", { className: "loader", children: [O("div", { className: "square", children: [u("span", {}), u("span", {}), u("span", {})] }), O("div", { className: "square", children: [u("span", {}), u("span", {}), u("span", {})] }), O("div", { className: "square", children: [u("span", {}), u("span", {}), u("span", {})] }), O("div", { className: "square", children: [u("span", {}), u("span", {}), u("span", {})] })] }) }), Ni = () => u("div", { children: "NotFound" }), rn = ({ children: e }) => { - const [t, n] = j({}), a = G((r, o) => n((s) => ({ ...s, [r]: o })), []), i = G((r) => n((o) => ({ ...o, [r]: void 0 })), []); - return typeof (e == null ? void 0 : e.type) == "string" ? e : u(_e.Provider, { value: { ele: t, mount: a, unmount: i }, children: S.cloneElement(e, { className: t.rootClassName, title: t.title, subTitle: t["sub-title"], actions: t.actions, extras: t.extras }) }); -}; -rn.propTypes = { children: b.element.isRequired }; -const Ut = { close: ["M563.8 512l262.5-312.9c4.4-5.2 0.7-13.1-6.1-13.1h-79.8c-4.7 0-9.2 2.1-12.3 5.7L511.6 449.8 295.1 191.7c-3-3.6-7.5-5.7-12.3-5.7H203c-6.8 0-10.5 7.9-6.1 13.1L459.4 512 196.9 824.9c-4.4 5.2-0.7 13.1 6.1 13.1h79.8c4.7 0 9.2-2.1 12.3-5.7l216.5-258.1 216.5 258.1c3 3.6 7.5 5.7 12.3 5.7h79.8c6.8 0 10.5-7.9 6.1-13.1L563.8 512z"], check: ["M912 190h-69.9c-9.8 0-19.1 4.5-25.1 12.2L404.7 724.5 207 474c-6.1-7.7-15.3-12.2-25.1-12.2H112c-6.7 0-10.4 7.7-6.3 12.9l273.9 347c12.8 16.2 37.4 16.2 50.3 0l488.4-618.9c4.1-5.1 0.4-12.8-6.3-12.8z"], info: ["M512 224m-64 0a64 64 0 1 0 128 0 64 64 0 1 0-128 0Z", "M544 392h-64c-4.4 0-8 3.6-8 8v464c0 4.4 3.6 8 8 8h64c4.4 0 8-3.6 8-8V400c0-4.4-3.6-8-8-8z"] }, Ot = ({ type: e, props: t }) => u("i", { ...t, children: u("svg", { viewBox: "0 0 1024 1024", width: "1em", height: "1em", fill: "currentColor", children: (Ut[e] || Ut.info).map((n, a) => u("path", { d: n }, a)) }) }), on = ({ className: e, content: t, icon: n, $close: a }) => O(S.Fragment, { children: [n && u("div", { className: F("ff-notification-icon", e), children: u(Ot, { type: n }) }), t] }), sa = ({}) => u(J, { children: "Confirm" }); -var he, Ee; -const oe = class oe { - constructor() { - A(this, Ee, /* @__PURE__ */ new Map()); - $(this, "init", (t) => U(this, Ee, new Map(t))); - $(this, "check", (t) => !y(this, Ee).has(t) || y(this, Ee).get(t)); - if (y(oe, he)) return y(oe, he); - } -}; -he = new WeakMap(), Ee = new WeakMap(), A(oe, he, null), $(oe, "getInstance", () => (y(oe, he) || U(oe, he, new oe()), y(oe, he))); -let Ct = oe; -const sn = Ct.getInstance(), la = (e, t, n = "children") => { - if (m.isEmpty(e)) return {}; - const a = m.find(e, ["value", t]); - if (!m.isEmpty(a)) return a; - const i = e.length; - for (let r = 0; r < i; r++) { - const { [n]: o } = e[r], s = la(o, t, n); - if (!m.isEmpty(s)) return s; - } - return {}; -}, ln = (e = "Input", t = "@pkg/ff/grid-layout-forms") => e != null && e.startsWith("@") || e != null && e.startsWith("blob:") ? e : `${t}/${e}`; -var fe, Be; -const se = class se { - constructor() { - A(this, Be, null); - $(this, "init", (t) => U(this, Be, t)); - $(this, "get", (t, n) => m.get(y(this, Be), t, n)); - if (y(se, fe)) return y(se, fe); - } -}; -fe = new WeakMap(), Be = new WeakMap(), A(se, fe, null), $(se, "getInstance", () => (y(se, fe) || U(se, fe, new se()), y(se, fe))); -let kt = se; -const Te = kt.getInstance(), qt = { null2json: (e) => Object.create(), null2array: (e) => [], null2number: (e) => 0, null2bool: (e) => !1, null2string: (e) => "", null2integer: (e) => 0, null2float: (e) => 0, string2json: (e) => e ? JSON.parse(e) : "{}", string2array: (e) => e.substr(0, 1) === "[" && e.substr(-1) === "]" ? JSON.parse(e) : e.split(","), string2number: (e) => e == "" ? 0 : +e, string2integer: (e) => e == "" ? 0 : +e, string2float: (e) => e == "" ? 0 : +e, string2bool: (e) => { - switch (`${e}`.toLowerCase()) { - case "0": - case "false": - case "[]": - case "{}": - return !1; - } - return !!e; -}, string2string: (e) => e, json2json: (e) => e, json2array: (e) => e ? Object.values(e) : [], json2number: (e) => Object.keys(e).length, json2integer: (e) => Object.keys(e).length, json2float: (e) => Object.keys(e).length, json2bool: (e) => Object.keys(e).length > 0, json2string: (e) => e ? JSON.stringify(e) : "", array2json: (e) => ({ ...e }), array2array: (e) => e, array2number: (e) => e.length, array2integer: (e) => e.length, array2float: (e) => e.length, array2bool: (e) => e.length > 0, array2string: (e) => JSON.stringify(e), number2json: (e) => ({}), number2array: (e) => [e], number2number: (e) => e, number2integer: (e) => e, number2float: (e) => e, number2bool: (e) => !!e, number2string: (e) => e.toString(), boolean2json: (e) => ({}), boolean2array: (e) => [], boolean2number: (e) => +e, boolean2integer: (e) => +e, boolean2float: (e) => +e, boolean2bool: (e) => e, boolean2string: (e) => e ? "true" : "false" }, ae = (e, t) => { - let n = "string"; - n = Array.isArray(e) ? "array" : typeof e, m.isObject(e) && (n = "json"); - const a = `${n}2${t}`; - return Reflect.has(qt, a) ? qt[a](e) : e; -}, ca = (e) => e === null ? "null" : Array.isArray(e) ? "array" : typeof e == "object" ? "json" : typeof e == "boolean" ? "bool" : typeof e == "string" ? "string" : typeof e == "number" ? Number.isInteger(e) ? "integer" : "float" : typeof e, Ke = (e = {}, t = {}, n = {}, a = "") => cn(e, (i, r) => r === "type" && i === "code") ? dn(e, t, n, a) : un(e, t, a), cn = (e, t = () => !1) => m.some(e, (n) => !!m.some(n, t) || (m.isEmpty(n) || !m.isPlainObject(n) && !m.isArray(n) ? void 0 : cn(n, t))), dn = async (e = {}, t = {}, n = {}, a = "") => { - let i = /* @__PURE__ */ Object.create(null); - for (let r in e) { - let o; - if (Reflect.has(e[r], "type") && ["code", "field", "router", "query", "string"].includes(e[r].type)) { - const { type: s, value: l = "", default: d = a } = e[r]; - switch (s) { - case "code": - try { - o = await xe.exec(l, t, n); - } catch (c) { - console.error("getWidgetPropsData", c); - } - break; - case "field": - o = m.get(t, l) ?? m.get(t, l.substring(l.indexOf(".") + 1)); - break; - case "router": - case "query": - o = pe.getPageParams(l); - break; - case "string": - o = l; - } - o ?? (o = d); - } else o = await dn(e[r], t, n, a); - m.set(i, r, o); - } - return i; -}, un = (e = {}, t = {}, n = "") => Object.keys(e || {}).reduce((a, i) => { - if (m.isPlainObject(e[i])) { - let r; - if (Reflect.has(e[i], "type") && ["field", "router", "query", "string"].includes(e[i].type)) { - const { type: o, value: s = "", default: l = n } = e[i]; - switch (o) { - case "field": - r = m.get(t, s) ?? m.get(t, s.substring(s.indexOf(".") + 1)); - break; - case "router": - case "query": - r = pe.getPageParams(s); - break; - case "string": - r = s; - } - r ?? (r = l); - } else r = un(e[i], t, n); - m.set(a, i, r); - } - return a; -}, {}), ht = (e, t) => e && typeof e == "object" ? Array.isArray(e) ? e.map((n) => ht(n, t)) : Object.keys(e).reduce((n, a) => (t[a] ? n[t[a]] = ht(e[a], t) : n[a] = ht(e[a], t), n), {}) : e, Ti = () => "xxxxxxxx-xxxx-4xxx-yxxx-xxxxxxxxxxxx".replace(/[xy]/g, (e) => { - const t = 16 * Math.random() | 0; - return (e === "x" ? t : 3 & t | 8).toString(16); -}), Fi = (e) => { - var t, n; - return e ? (n = (t = e.match(/^@pkg(?:[^\/]*\/){3}(?[^\/]+)/)) == null ? void 0 : t.groups) == null ? void 0 : n.name : ""; -}, Ri = (e) => { - var t, n; - return e ? (n = (t = e.match(/^@pkg(?:[^\/]*\/){2}(?[^\/]+)/)) == null ? void 0 : t.groups) == null ? void 0 : n.category : ""; -}, Oi = (e) => { - var t, n; - return e ? (n = (t = e.match(/^@pkg(?:[^\/]*\/){1}(?[^\/]+)/)) == null ? void 0 : t.groups) == null ? void 0 : n.owner : ""; -}, da = (e, t = 32, n = "auto") => { - const a = St(e), i = n === "auto" ? "x64" : n; - if (t === 32) return mt.x86.hash32(a).toString(); - if (t === 128) return i === "x64" ? mt.x64.hash128(a) : mt.x86.hash128(a); - throw new Error("bits 只能是 32 或 128"); -}, St = (e) => e == null ? "null" : typeof e == "string" ? e : typeof e == "number" || typeof e == "boolean" ? String(e) : typeof e == "function" ? e.toString() : Array.isArray(e) ? "[" + e.map(St).join(",") + "]" : typeof e == "object" ? "{" + Object.keys(e).sort().map((t) => `${t}:${St(e[t])}`).join(",") + "}" : String(e), ua = () => { - let e = 1; - const t = /* @__PURE__ */ new WeakMap(), n = /* @__PURE__ */ new Map(); - return (...a) => a.length === 0 ? "" : a.map((i) => { - return String((r = i) === null || typeof r != "object" && typeof r != "function" ? (n.has(r) || n.set(r, e++), n.get(r)) : (t.has(r) || t.set(r, e++), t.get(r))); - var r; - }).join("::"); -}, ga = (e) => { - if (!e || typeof e != "string" || e.startsWith("/") || e.startsWith("./") || e.startsWith("../")) return !1; - try { - let t = e.startsWith("//") ? `http:${e}` : e; - return t.includes("://") || t.startsWith("//") || (t = `http://${t}`), !!new URL(t).hostname; - } catch { - return !1; - } -}, Ei = (e, t = "") => { - if (!e || typeof e != "string" || ga(e)) return e; - let n = t; - return !n && typeof window < "u" && window.location && (n = `${window.location.protocol}//${window.location.host}`), e.startsWith("/") ? n ? `${n}${e}` : e : n ? `${n}/${e}` : e; -}; -var rt, We, De, ot; -const st = class st { - constructor(...t) { - A(this, We, []); - A(this, De, (t) => { - var n; - for (let a of t) Array.isArray(a[0]) ? y(this, De).call(this, a) : y(this, We).push(y(n = st, rt).call(n, a[0], a[1])); - }); - $(this, "toValue", async (t, n = null) => { - const a = { getValue: () => t, getRecord: () => n }; - let i = t; - for (const r of y(this, We)) try { - const o = await r; - if (typeof o != "function") { - console.warn("middleware is not a function, skip:", o); - continue; - } - i = await o.call(a, i); - } catch (o) { - console.error("middleware error, skip:", o); - } - return i; - }); - $(this, "toRender", (t, n, a = null) => S.createElement(y(this, ot), { value: t, record: n }, a)); - A(this, ot, ({ value: t, record: n, children: a }) => { - const [i, r] = j(a); - return Je(() => { - let o = !1; - return r(a), this.toValue(t, n).then((s) => !o && r(s)).catch((s) => !o && r(`${s}`)), () => o = !0; - }, [t, n]), i; - }); - y(this, De).call(this, t); - } -}; -rt = new WeakMap(), We = new WeakMap(), De = new WeakMap(), ot = new WeakMap(), A(st, rt, m.memoize((t, n) => { - if (typeof t == "function") return t(n); - if (typeof t == "string") return ie.getWidgetComponent(t).then((a) => { - var i; - return ((i = a.default) == null ? void 0 : i.call(a, n)) || ((r) => r); - }); - throw new TypeError("middleware must be a string or a function"); -}, ua())); -let at = st; -const ee = S.createContext({ listCode: "", classNames: {}, getBase62params: (e, t) => { -}, onReload: () => { -}, onClickCallback: () => { -}, onConditionChange: () => { -}, onTabChange: () => { -}, onSiderChange: () => { -}, onKeywordChange: () => { -}, onPageChange: () => { -}, onPageSizeChange: () => { -}, reload: () => { -}, setPage: () => { -}, setPageSize: () => { -}, setTab: () => { -}, setSider: () => { -}, setKeyword: () => { -}, setCondition: () => { -} }), _t = ({ className: e, record: t, column: n, ...a }) => { - if (n != null && n.editableByJs && (n != null && n.uuid)) { - const { formSetting: i = { primaryKey: "id" }, widgetSetting: r = {}, widgetContainerSetting: o = {} } = (n == null ? void 0 : n.editableByJsSetting) || {}; - return u(N.Popover, { widget: pa, widgetData: { record: t, column: n }, widgetSetting: { widgetSetting: r, formSetting: i }, widgetContainerProps: { title: n != null && n.title ? `${n.title} - 编辑` : "编辑", ...o, width: (o == null ? void 0 : o.width) || 260, arrow: !0 }, children: u("td", { className: F("ff-data-list-cell-editable", e), ...a }) }); - } - return u("td", { className: e, ...a }); -}, pa = ({ record: e, column: t, $close: n, $setting: a }) => { - const i = K(ca(m.get(e, t == null ? void 0 : t.dataIndex))), { listCode: r, onClickCallback: o } = re(ee), [s] = Z.useForm(), { formSetting: l, widgetSetting: d } = a, c = (l == null ? void 0 : l.primaryKey) || "id", g = () => { - s.setFieldsValue({ value: m.get(e, t == null ? void 0 : t.dataIndex), __PROPS__: e }); - }; - return Je(() => g(), [e, t == null ? void 0 : t.dataIndex, r]), u(J, { actions: O(S.Fragment, { children: [u(N, { size: "small", onClick: g, children: "重置" }), O(Un.Compact, { block: !0, children: [u(N, { size: "small", widget: n, children: "取消" }), u(N, { type: "primary", size: "small", widget: () => s.validateFields().then(({ value: h }) => { - const p = m.get(e, c.substring(c.indexOf(".") + 1)); - if (!p) throw "获取更新主键失败!"; - V.put(`/api/${r}-storeBy-${t == null ? void 0 : t.uuid}/${p}`, { value: h }).msg(() => o(2, e)).then(n); - }).catch(console.warn), children: "保存" })] })] }), children: O(Z, { form: s, children: [u(jt, { label: "", type: i.current, code: "value", widget: t == null ? void 0 : t.editableByJs, extras: d }), u(Rt, { noStyle: !0, name: ["__PROPS__"], children: () => { - } })] }) }); -}, ma = (e) => function(t) { - return e(t, getRecord()); -}, ha = (e, t = {}) => q(() => { - var n; - return (n = e == null ? void 0 : e.filter(Boolean)) == null ? void 0 : n.map(({ widgetByJs: a, widgetByJsSetting: i, ...r }, o) => { - const s = (d) => ({ record: d, column: r }); - let l = []; - return a && l.push([a, i]), l.length > 0 ? (r != null && r.render && l.push([ma, r.render]), { ...r, onCell: s, render: (d, c) => new at(l).toRender(d, c, "-") }) : { ...r, onCell: s }; - }); -}, [e, t]), fa = (e = {}) => q(() => { - var t; - return e.body ?? (e.body = { cell: _t }), (t = e.body).cell ?? (t.cell = _t), e; -}, [e]), Ai = (e) => { - const [t, n] = j({}); - return I(() => { - let a = !1; - return e && V.get(`/api/_/${e}`).then((i) => m.pick(i, ["uuid", "name", "code", "resource", "marginX", "marginY", "cols", "rowHeight", "primaryKey", "columns", "itemOperations", "batchOperations", "isConditionFormLayout", "layout", "tabs", "pageSize", "layoutConfig"])).then((i) => !a && n(i)), () => a = !0; - }, [e]), t; -}, ji = (e, t = {}) => { - const [n, a] = j({ dataSource: [] }); - return He(() => { - let i = !1; - return e && V.get(`/api/${e}/${V.encode({ page: 1, ...t })}`).then((r) => !i && a(r)), () => i = !0; - }, [e, t]), n; -}, gn = (e = [], t = /* @__PURE__ */ new Map(), n = "id", a) => { - const i = G(a ? (r) => m.get(r, n, m.get(r, [a, n])) : (r) => m.get(r, n), [n, a]); - return G((r) => e == null ? void 0 : e.filter((o) => !o.uuid || !t.has(o.uuid) || t.get(o.uuid).some((s) => s == i(r))), [e, t, i]); -}, xt = (e = [], t = /* @__PURE__ */ new Map(), n = [], a = "id", i) => { - const r = G(i ? (o) => m.get(o, a, m.get(o, [i, a])) : (o) => m.get(o, a), [a, i]); - return q(() => { - if (m.isEmpty(e) || !e.some(({ uuid: s }) => sn.check(s))) return !1; - if (m.isEmpty(t) || m.isEmpty(n)) return !0; - const o = n.map((s) => r(s)); - return e.some(({ uuid: s }) => !s || !t.has(s) || t.get(s).some((l) => o.some((d) => d == l))); - }, [e, n, t, r]); -}, ya = (e, t, n = "id", a = null) => { - const i = dt(), r = K(!1), o = K(e.dataSource), s = K(e.itemOperationsAccess); - return I(() => (o.current = e.dataSource, s.current = e.itemOperationsAccess, () => r.current = !1), [e.dataSource, e.itemOperationsAccess]), r.current && (e.dataSource = o.current, e.itemOperationsAccess = s.current), [e, (l = 0, d = null) => { - var c, g; - if (r.current = !1, l === 1) return (c = e.onReload) == null ? void 0 : c.call(e); - if (l === 2) { - const h = m.get(d, "__PARENT_ID__", ""), p = m.get(d, n, m.get(d, [a, n], "")), f = m.findIndex(o.current, ["__PARENT_ID__", h]), w = m.findIndex(f > -1 ? m.get(o.current, [f, "children"]) : o.current, [n, p]); - if (w === -1) return (g = e.onReload) == null ? void 0 : g.call(e); - Promise.all([V.get(`/api/${t}/detail/${p}`), V.post(`/api/${t}/list-operations-access`, { ids: p })]).then(([C, k]) => { - const v = m.get(o.current, f > -1 ? [f, "children", w, "children"] : [w, "children"]); - o.current = tn(o.current, f > -1 ? { [f]: { children: { $splice: [[w, 1, { ...C, children: v }]] } } } : { $splice: [[w, 1, { ...C, children: v }]] }); - const x = new Map(k); - s.current.forEach((T, R) => { - var E; - (E = x.get(R)) != null && E.some((M) => M == p) || s.current.set(R, T.filter((M) => M !== p)); - }), x.forEach((T, R) => { - s.current.has(R) ? s.current.set(R, m.uniq([...s.current.get(R) || [], ...T])) : s.current.set(R, T); - }); - }).then(() => { - r.current = !0, i(); - }); - } - }]; -}, wa = (e, t) => { - const n = dt(), a = K(t), i = K(/* @__PURE__ */ new Map()), r = K([]), o = m.throttle((l) => { - r.current = [], V.list(e, m.pick({ ...a.current, ...l }, ["tab", "page", "pageSize", "condition", "sider", "keyword"])).then(({ keyword: d, condition: c, total: g, tab: h, sider: p, page: f, pageSize: w, operationsAccess: C, dataSource: k }) => { - a.current = { tab: h, condition: c, sider: p, keyword: d, total: g, pageSize: w, page: k != null && k.length ? f : 1 }, r.current = k, i.current = new Map(C), n(); - }); - }, 380, { leading: !1, trailing: !0 }); - Je(() => { - r.current = [], e && o(t); - }, [e, t]); - const s = q(() => m.pick(a.current, ["total", "tab", "page", "pageSize", "condition", "sider", "keyword"]), [a.current]); - return Object.assign(s, { onTabChange: (l) => o({ tab: l, page: 1 }), onPageChange: (l, d) => o({ page: l, pageSize: d }), onPageSizeChange: (l) => o({ pageSize: l, page: 1 }), onConditionChange: (l, d) => o({ keyword: d, condition: tn(a.current.condition || {}, { $merge: l || {} }), page: 1 }), onSiderChange: (l) => o({ sider: l, page: 1 }), onKeywordChange: (l) => o({ keyword: l, page: 1 }), itemOperationsAccess: i.current, dataSource: r.current, onReload: o, payload: t == null ? void 0 : t.payload }); -}, ba = ({ listCode: e, className: t, layouts: n = {}, dataSource: a, isPaginate: i, isItemOperations: r, isBatchOperations: o, batchOperations: s, itemOperations: l, itemOperationsAccess: d, resource: c, primaryKey: g, title: h, itemGridLayout: p, $setting: f, tabs: w, isConditionFormLayout: C, isTreeSider: k, treeSiderConfig: v }) => { - const { classNames: x, onClickCallback: T } = re(ee), R = m.pick(f, ["column", "colWidth", "beforeRender", "afterRender", "style"]), E = gn(l, d, g, c), M = G((z, L, B) => u(Ca, { className: F("ff-data-list-framework-item", x.item), operations: r ? E(L) : [], data: c ? { [c]: L } : L, children: z, onClickCallback: T }), [c, g, r, T, l, d]); - return O("div", { className: F("ff-data-list-framework", t), children: [u(n.sider, { isTreeSider: k, ...v }), O("div", { className: F("ff-data-list-container", x == null ? void 0 : x.container), children: [u(n.filter, { isConditionFormLayout: C }), u(n.toolbar, { title: h, tabs: w }), u(Aa, { ...R, ...p, primaryKey: g, itemRender: M, dataSource: a }), u(n.footer, { isPaginate: i, isOperations: o, operations: s })] })] }); -}, Ca = ({ className: e, operations: t, children: n, data: a, onClickCallback: i }) => O("div", { className: F("data-list-grid-layout-item", e), children: [u("div", { className: "data-list-grid-layout-item-container", children: n }), !!(t != null && t.length) && u("div", { className: "data-list-grid-layout-item-actions", children: t.map((r) => u("span", { className: "data-list-grid-layout-item-action", children: u(N.Link, { uuid: r.uuid, type: r.type, name: r.name, widget: r.widget, widgetType: r.widgetType, widgetProps: r.widgetProps, widgetSetting: r.widgetSetting, widgetContainerProps: r.widgetContainerSetting, data: a, confirm: r.confirm, onAfterClick: (o) => o !== !1 && (i == null ? void 0 : i(r.isRefresh, a)) }, r.uuid || wt()) }, (r == null ? void 0 : r.uuid) || wt())) })] }), ka = ({ listCode: e, className: t, layouts: n = {}, dataSource: a, columns: i, isItemOperations: r, isBatchOperations: o, batchOperations: s, itemOperations: l, itemOperationsAccess: d, resource: c, primaryKey: g, title: h, tabs: p, isPaginate: f, isTreeSider: w, treeSiderConfig: C, isConditionFormLayout: k, ...v }) => { - const { classNames: x, onClickCallback: T } = re(ee), R = gn(l, d, g, c), E = xt(l, d, a, g, c); - return O("div", { className: F("ff-data-table-framework", t), children: [u(n.sider, { isTreeSider: w, ...C }), O("div", { className: F("ff-data-table-container", x == null ? void 0 : x.container), children: [u(n.filter, { isConditionFormLayout: k }), u(n.toolbar, { title: h, tabs: p }), u(Na, { ...v, primaryKey: g, className: "ff-data-table-content", columns: i, dataSource: a, operationRender: E ? (M) => { - var z; - return u("div", { className: "ff-data-table-actions", children: (z = R(M)) == null ? void 0 : z.map((L, B) => u(N.Link, { size: "small", uuid: L.uuid, type: L.type, name: L.name, widget: L.widget, widgetType: L.widgetType, widgetProps: L.widgetProps, widgetData: L.widgetData, widgetSetting: L.widgetSetting, widgetContainerProps: L.widgetContainerSetting, data: M, confirm: L.confirm, onAfterClick: (P) => P !== !1 && (T == null ? void 0 : T(L.isRefresh, M)) }, L.uuid || B)) }); - } : null }), u(n.footer, { isPaginate: f, isOperations: o, operations: s })] })] }); -}, Et = (e = [], t, n = null) => { - var a; - return (a = m.sortBy(e, ["y", "x"])) == null ? void 0 : a.map(({ i, x: r, y: o, w: s, h: l, field: { boxStyle: d, ...c } = {} }, g) => u("div", { className: "grid-layout-item", style: pn(r, o, s, l, d), children: u(t, { ...c, basicForm: n }) }, i ?? g)); -}, pn = (e, t, n, a, i = {}, r = 0) => { - const o = { "--grid-layout-h": `${a}`, "--grid-layout-w": `${n}`, "--grid-layout-x": `${e}`, "--grid-layout-y": `${t}`, "--grid-layout-row-height-offset": "0px" }; - return i != null && i.autoHeight ? o.height = "fit-content" : o["--grid-layout-row"] = `${a}`, i != null && i.alignItems && (o["--grid-layout-box-align-items"] = i.alignItems), i != null && i.justifyContent && (o["--grid-layout-box-justify-content"] = i.justifyContent), o["--grid-layout-box-margin"] = Kt(i == null ? void 0 : i.marginTop, i == null ? void 0 : i.marginRight, i == null ? void 0 : i.marginBottom, i == null ? void 0 : i.marginLeft), o["--grid-layout-box-padding"] = Kt(i == null ? void 0 : i.paddingTop, i == null ? void 0 : i.paddingRight, i == null ? void 0 : i.paddingBottom, i == null ? void 0 : i.paddingLeft), r && (o.height = `${r}px`), o; -}, Kt = (e, t, n, a) => `${e || 0}px ${t || 0}px ${n || 0}px ${a || 0}px`, Li = (e = "Text", t = "@pkg/ff/grid-layouts") => e != null && e.startsWith("@") || e != null && e.startsWith("blob:") ? e : `${t}/${e}`, mn = ({ className: e, isConditionFormLayout: t }) => { - var h, p; - const [n, a] = j({}), { listCode: i, onKeywordChange: r, onConditionChange: o, getBase62params: s, classNames: l } = S.useContext(ee), { keyword: d, condition: c } = (s == null ? void 0 : s()) || {}, [g] = et.useForm(); - return I(() => { - i && t && V.get(`/api/_/${i}/list-condition-form-layout`).then(({ resource: f, marginX: w, marginY: C, rowHeight: k, cols: v, fields: x }) => { - a({ resource: f, itemMargin: [w, C], rowHeight: k, cols: v, fields: x }); - }).catch(() => a({})); - }, [i, t]), I(() => { - g.setFieldsValue({ keyword: d, ...c }); - }, [JSON.stringify([d, c])]), u("div", { className: F("ff-data-list-filter", l.filter, e), children: u(et, { form: g, layout: "vertical", autoComplete: "off", onFinish: ((h = n.fields) == null ? void 0 : h.length) > 1 ? (f) => o({ [n.resource]: f[n.resource] }, f.keyword) : () => { - }, onValuesChange: (f) => { - m.isEmpty(m.omit(f, ["keyword"])) || g.submit(); - }, children: ((p = n.fields) == null ? void 0 : p.length) > 1 ? u(Lt, { ...n, children: u(Sa, { onReset: () => { - const { keyword: f, condition: w } = s("init") || {}; - g.setFieldsValue({ keyword: f, ...w }); - } }) }) : u("div", { className: "ff-data-list-filter-default-form ff-grid-layout-form", children: u("div", { className: "grid-layout-item", style: pn(20, 0, 5, 2), children: u(et.Item, { name: ["keyword"], children: u(qn.Search, { allowClear: !0, enterButton: "搜索", placeholder: "多关键字 | 分割", onSearch: (f) => r(f) }) }) }) }) }) }); -}, Sa = ({ cols: e, fields: t, onReset: n }) => { - const [a, i] = j(!1), r = q(() => t == null ? void 0 : t.toReversed().some((o) => o.y > 1 || o.x + o.w >= e - 5), [e, t]); - return O(et.Item, { label: " ", style: { "--item-span": 5 }, className: F("ff-data-list-filter-actions", { expanded: a }), children: [u(nt, { onClick: n, children: "重置" }), u(nt, { type: "primary", htmlType: "submit", children: "查询" }), r && u(N.Link, { className: "ff-data-list-filter-expanded-button", widget: () => i((o) => !o), type: "primary", name: a ? "关闭" : "展开", icon: a ? "icon-up" : "icon-down", iconPosition: "end" })] }); -}; -mn.reservedFields = [{ x: 0, y: 0, h: 3, w: 5, field: { isVirtual: !0, widgetPrefix: "@pkg/ff/grid-layout-forms", widget: "Input", code: "keyword", label: "关键字", placeholder: "多关键字 | 分割", extras: { prefix: "icon-search" } } }]; -const xa = ({ className: e, operations: t, isOperations: n, isPaginate: a }) => { - const { onPageChange: i, onPageSizeChange: r, onClickCallback: o, getBase62params: s } = S.useContext(ee), { total: l, page: d, pageSize: c } = (s == null ? void 0 : s()) || {}; - return n && !m.isEmpty(t) || a ? O("div", { className: F("ff-data-list-footer", e), children: [u("div", { className: "ff-data-list-actions", children: t == null ? void 0 : t.map((g, h) => u(N, { uuid: g.uuid, type: g.type, name: g.name, widget: g.widget, widgetType: g.widgetType, widgetProps: g.widgetProps, widgetData: g.widgetData, widgetSetting: g.widgetSetting, widgetContainerProps: g.widgetContainerSetting, onAfterClick: (p) => p !== !1 && (o == null ? void 0 : o(g.isRefresh, null)) }, g.uuid || h)) }), a && u(_n, { size: "small", total: l, pageSize: c, showSizeChanger: !1, showTotal: (g) => `第 ${d} 页 / 总共 ${g} 条`, onChange: i, onShowSizeChange: r })] }) : null; -}, va = [{ title: "parent 1", key: "0-0", children: [{ title: "parent 1-0", key: "0-0-0", disabled: !0, children: [{ title: "leaf", key: "0-0-0-0", disableCheckbox: !0 }, { title: "leaf", key: "0-0-0-1" }] }, { title: "parent 1-1", key: "0-0-1", children: [{ title: u("span", { style: { color: "#1677ff" }, children: "sss" }), key: "0-0-1-0" }] }] }], Pa = ({ className: e, width: t = 280, isTreeSider: n }) => { - const { classNames: a } = re(ee); - return n ? u(Kn.DirectoryTree, { className: F("ff-data-list-sider", a.sider, e), style: { "--sider-width": t }, showLine: !0, showIcon: !1, treeData: va }) : null; -}, $a = ({ className: e, title: t, tabs: n }) => { - const { getBase62params: a, onTabChange: i, onReload: r, classNames: o } = re(ee), { tab: s } = (a == null ? void 0 : a()) || {}, [l, d] = Zn((n == null ? void 0 : n[0].value) ?? (n == null ? void 0 : n[0].code), { value: s, onChange: i }); - return O("div", { className: F("ff-data-list-toolbar", o.toolbar, e), children: [u("div", { className: "ff-data-list-title", children: t }), u(Hn, { className: "ff-data-list-tabs", itemRender: ({ label: c, code: g, value: h }) => u("span", { onClick: () => d(h ?? g), className: F("ff-data-list-tab", { active: (h ?? g) == l }), children: c }), items: n }), O("div", { className: "ff-data-list-actions", children: [u(N.Link, { icon: "icon-reload", widget: () => r() }), u(N.Link, { icon: "icon-setting" })] })] }); -}, hn = ({ isItemGridLayout: e, theme: t, themeProps: n, onClickCallback: a, onReload: i, listCode: r, total: o = 0, page: s = 0, onPageChange: l, pageSize: d = 30, onPageSizeChange: c, tab: g, onTabChange: h, keyword: p, onKeywordChange: f, condition: w, onConditionChange: C, sider: k, onSiderChange: v, layouts: x, classNames: T = {}, payload: R = {}, ...E }) => { - const [M, z] = j(), L = G((P, _) => { - const W = { tab: g, page: s, pageSize: d, keyword: p, sider: k, condition: w, total: o, payload: R }; - return P && P != "init" ? m.get(W, P, _) : W; - }, [JSON.stringify(w), JSON.stringify(R), g, s, d, p, k, o]), B = q(() => { - let P = { sider: Pa, filter: mn, footer: xa, toolbar: $a }; - x === !1 ? P = { sider: null, filter: null, footer: null, toolbar: null } : m.isPlainObject(x) && (P = Object.assign({}, P, x)); - for (const _ in P) if (P[_]) { - if (zn(P[_])) { - const W = P[_]; - P[_] = (me) => S.cloneElement(W, me); - } - } else P[_] = () => u(S.Fragment, {}); - return P; - }, [x]); - return I(() => { - t ? ie.getWidgetComponent(t).then((P) => { - if (!P) throw `${t} not found`; - return P; - }).catch((P) => ({ default: () => `${P}` })).then((P) => z(S.createElement(P.default, { ...E, layouts: B, $setting: n }))) : z(u(e ? ba : ka, { ...E, layouts: B, $setting: n })); - }, [t, n]), u(ee.Provider, { value: { classNames: T, listCode: r, onClickCallback: a, onReload: i, getBase62params: L, onPageChange: l, onPageSizeChange: c, onTabChange: h, onSiderChange: v, onKeywordChange: f, onConditionChange: C, setPage: l, setPageSize: c, setTab: h, setSider: v, setKeyword: f, setCondition: C }, children: M && S.cloneElement(M, E) }); -}; -hn.propTypes = { classNames: b.exact({ sider: b.string, filter: b.string, footer: b.string, toolbar: b.string, container: b.string, content: b.string, item: b.string }), layouts: b.oneOfType([b.exact({ sider: b.oneOfType([b.elementType, b.element]), filter: b.oneOfType([b.elementType, b.element]), footer: b.oneOfType([b.elementType, b.element]), toolbar: b.oneOfType([b.elementType, b.element]) }), b.bool]) }; -var ye, ge, $e, lt; -const le = class le { - constructor() { - A(this, ge, null); - A(this, $e, /* @__PURE__ */ new Map()); - A(this, lt, () => { - if (y(this, ge)) return y(this, ge).port.postMessage({ command: "status", data: [] }); - U(this, ge, new SharedWorker(new URL("/ff-worker/res-ws.js", self.location))), y(this, ge).port.onmessage = (t) => { - var n, a; - (n = t.data) != null && n.uuid ? y(this, $e).forEach((i, r) => { - var o; - (i == "*" || (o = i == null ? void 0 : i.includes) != null && o.call(i, t.data.uuid)) && r(t.data); - }) : ((a = t.data) == null ? void 0 : a.readyState) == WebSocket.CLOSED && V.get("/api/user-api-token").then(({ token: i, expire_at: r }) => { - y(this, ge).port.postMessage({ command: "initWs", data: [`ws${m.trimStart(V.appUrl, "http")}api/user-resource-status-ws?token=${i}`] }); - }); - }, y(this, ge).port.postMessage({ command: "status", data: [] }); - }); - $(this, "subscribe", (t, n = []) => (n ? Array.isArray(n) && n.length == 0 ? n = "*" : Array.isArray(n) || (n = [n].flat()) : n = "*", y(this, $e).set(t, n), y(this, $e).size == 1 && y(this, lt).call(this), () => this.unsubscribe(t))); - $(this, "unsubscribe", (t) => y(this, $e).delete(t)); - if (y(le, ye)) return y(le, ye); - } -}; -ye = new WeakMap(), ge = new WeakMap(), $e = new WeakMap(), lt = new WeakMap(), A(le, ye, null), $(le, "getInstance", () => (y(le, ye) || U(le, ye, new le()), y(le, ye))); -let vt = le; -const fn = vt.getInstance(), At = S.forwardRef(({ listCode: e, base62params: t, className: n, theme: a, themeProps: i, layouts: r, classNames: o }, s) => { - const [{ resource: l, primaryKey: d, batchOperations: c = [], itemOperations: g = [], columns: h = [], themeConfig: p, theme: f, isConditionFormLayout: w = !1, isTreeSider: C, treeSiderConfig: k, isItemGridLayout: v, itemGridLayout: { themeConfig: x, ...T } = {}, title: R, isPaginate: E, tabs: M }, z] = j({ isItemGridLayout: !1, itemGridLayout: {} }), L = wa(e, t), [{ dataSource: B, itemOperationsAccess: P, condition: _, tab: W, keyword: me, page: Ye, total: Xe, pageSize: gt, sider: Q, onConditionChange: $n, onTabChange: Nn, onKeywordChange: Tn, onPageChange: Fn, onPageSizeChange: Rn, onSiderChange: On, onReload: pt, payload: En }, Mt] = ya(L, e, d, l), An = xt(g, P, B, d), jn = xt(c); - I(() => { - let te = null; - return e && V.get(`/api/_/${e}`).resp(({ data: Qe, res: Vn }) => { - Qe != null && Qe.isDynamicRefresh && (te = fn.subscribe(() => pt(), Vn)), z(Qe); - }).catch(() => z({})), () => te == null ? void 0 : te(); - }, [e]), S.useImperativeHandle(s, () => ({ onReload: pt, onClickCallback: Mt })); - const Ln = { listCode: e, title: R, classNames: o, layouts: r, resource: l, primaryKey: d, theme: a || f, themeProps: i || p, isTreeSider: C, treeSiderConfig: k, isPaginate: E, tabs: M, isItemOperations: An, itemOperations: g == null ? void 0 : g.map((te) => m.isEmpty(te == null ? void 0 : te.confirm) ? te : { ...te, confirm: Object.assign({}, te.confirm, { getPopupContainer: () => document.body }) }), isBatchOperations: jn, batchOperations: c, isItemGridLayout: v, columns: h, itemGridLayout: { ...T, themeProps: x }, isConditionFormLayout: w, itemOperationsAccess: P, dataSource: B, onConditionChange: $n, onTabChange: Nn, onKeywordChange: Tn, onPageChange: Fn, onPageSizeChange: Rn, onSiderChange: On, condition: _, tab: W, keyword: me, page: Ye, total: Xe, pageSize: gt, sider: Q, payload: En }; - return u(hn, { ...Ln, className: F("ff-data-list-helper", n), onReload: pt, onClickCallback: Mt }); -}), yn = (e, t, n = !0) => n !== !0 && n-- <= 0 ? [] : m.isArray(e) && !m.isEmpty(e) ? e.reduce((a, i) => (Reflect.has(i, t) && Reflect.has(i, "children") && a.push(i[t]), Reflect.has(i, "children") && !m.isEmpty(i.children) ? a.concat(yn(i.children, t, n)) : a), []) : [], Na = ({ className: e, primaryKey: t, columns: n = [], dataSource: a = [], operationRender: i, operationWidth: r = 180, components: o = {}, ...s }) => { - const { classNames: l } = re(ee), d = K(null), c = K(null), [g, h] = j([]), [p, f] = j({ width: 0, height: 0 }); - I(() => { - h(yn(a, t)); - }, [a, t]), Bn(() => { - const k = new ResizeObserver(() => { - var v; - f({ width: ((v = d.current) == null ? void 0 : v.nativeElement.querySelector(".ant-table-body").scrollWidth) || c.current.offsetWidth, height: c.current.offsetHeight }); - }); - return c.current && k.observe(c.current), () => { - c.current && k.unobserve(c.current); - }; - }, []); - const w = ha(n), C = fa(o); - return u("div", { ref: c, className: F("ff-data-list-table", l.content, e), children: p.height ? u(Jn, { bordered: !0, ...s, components: C, ref: d, rowKey: (k) => (k == null ? void 0 : k[t]) ?? Math.random(), columns: w == null ? void 0 : w.concat(i ? [{ title: "操作", align: "center", fixed: "right", width: `${Math.ceil(r / p.width * 100).toFixed(2)}%`, render: (k, v, x) => i(v, x) }] : []), dataSource: a, size: "middle", scroll: { x: "max-content", y: p.height - 50 }, pagination: !1, expandable: { defaultExpandAllRows: !0, expandRowByClick: !0, onExpandedRowsChange: h, expandedRowKeys: g } }) : null }); -}, Ta = "RC_FORM_INTERNAL_HOOKS", Fa = (e) => { - const [t, n] = S.useState({ items: [] }); - return I(() => { - e && V.get(`/api/_/${e}`).then(({ uuid: a, code: i, name: r, resource: o, primaryKey: s, marginX: l, marginY: d, cols: c, rowHeight: g, fields: h, theme: p, themeSetting: f, groups: w }) => ({ uuid: a, code: i, name: r, resource: o, primaryKey: s, marginX: l, marginY: d, cols: c, rowHeight: g, theme: p, themeProps: f, groups: w, items: h })).then(n); - }, [e]), t; -}, Ra = (e, { initialValue: t, initialValueLanguage: n, convertJs: a, convertJsSetting: i, type: r = "string" }, o = null) => { - const s = K(!1), l = re(en), [d, c] = j(), [g, h] = j(n != "javascript" && e ? l.getFieldValue(e) : void 0), { registerWatch: p } = l.getInternalHooks(Ta) || {}; - return I(() => p == null ? void 0 : p((f, w, C) => { - if (!s.current) return; - const k = m.get(w, e); - m.isEqual(k, g) || h(ae(k, r)); - }), [g]), I(() => { - n == "javascript" && t ? xe.exec(t, {}, { getFieldValueForBasicForm: (f) => o ? o.getFieldValue(f) : l.getFieldValue(f), getFieldValue: (f) => l.getFieldValue(f) }).then((f) => h(ae(f, r))).catch((f) => notification.error({ message: `布局数据错误: ${JSON.stringify(f)}` })).finally(() => s.current = !0) : (t && h(ae(t ?? l.getFieldValue(e), r)), s.current = !0); - }, [t, n]), He(() => { - s.current && a && new at([a, i]).toValue(g, l.getFieldsValue(!0)).then(c).catch((f) => { - c(f), console.error("布局数据转换错误: ", f, a); - }); - }, [g, a, i]), [d ?? g, g]; -}, Vi = (e, t, n = null) => q(() => Et(e, t, n), [e]), wn = (e, t, n = {}, a = {}, i = {}, r = null) => { - const o = re(en), s = dt(), l = K(!0), d = K([]), [c, g] = j(t), [h, p] = j(), f = Z.useWatch((w) => JSON.stringify(m.pick(w, d.current)), o) || "{}"; - return Je(() => { - e && xe.exec(e, n, { ...a, getFieldValueForBasicForm: (w) => i ? i.getFieldValue(w) : null, getFieldValue: m.wrap(o.getFieldValue, (w, C) => (d.current.some((k) => m.isEqual(k, C)) || (d.current.push(C), s()), w == null ? void 0 : w(C))), isFieldTouched: o.isFieldTouched, isFieldsTouched: o.isFieldsTouched }).then((w) => { - l.current && (g(w), p(null)); - }).catch((w) => { - l.current && (g(t), p(w)); - }); - }, [e, f, o, n, a]), I(() => () => l.current = !1, []), e ? [r ? ae(c, r) : c, h] : [r ? ae(t, r) : t, null]; -}, Oa = ({ widget: e, widgetPrefix: t = "@pkg/ff/grid-layouts", basicForm: n, ...a }) => { - const i = e != null && e.startsWith("@") || e != null && e.startsWith("blob:") ? e : `${t}/${e}`, [r, o] = j(); - return I(() => { - i && ie.getWidgetComponent(i).then(({ defaultProps: s = {}, default: l }) => ({ default: Ea(l, s, n) })).catch((s) => ({ default: () => `${s}` })).then((s) => o(S.createElement(s.default, a))); - }, [i]), r; -}, Ea = (e, t = {}, n = null) => (a) => { - const { code: i, label: r, extras: o, isVirtual: s, initialValue: l, initialValueLanguage: d, convertJs: c, convertJsSetting: g, value: h, ...p } = m.merge({}, t, a), [f, w] = Ra(s ? null : i, { initialValue: l, initialValueLanguage: d, convertJs: c, convertJsSetting: g, type: (p == null ? void 0 : p.type) || "string" }, n), C = q(() => { - const x = Object.keys((t == null ? void 0 : t.extras) || {}); - return m.over([m.partialRight(m.pick, x), m.partialRight(m.omit, x)]); - }, [t == null ? void 0 : t.extras]), [k, v] = C(p); - return u(e, { ...v, value: f, rawValue: w, $setting: Object.assign({}, o, k) }); -}, bn = ({ theme: e, basicForm: t, items: n = [{ key: "default", label: "默认" }], fields: a = [], itemRender: i, chunks: r = [], children: o, $setting: s = {}, ...l }) => { - const [d, c] = j(); - I(() => { - e ? ie.getWidgetComponent(e).then((h) => { - if (!(h != null && h.default)) throw "not found"; - return h; - }).catch((h) => ({ default: () => `${e} ${h}` })).then((h) => c(S.createElement(h.default, {}))) : c(null); - }, [e]); - const g = q(() => n == null ? void 0 : n.map((h) => ({ ...h, children: i(h, a == null ? void 0 : a.filter((p) => !(p != null && p.group) && h.key == "default" || p.group == h.key), h.key == "default" ? o : null) })).concat(r), [n, o, r]); - return d && S.cloneElement(d, { items: g, basicForm: t, $setting: { ...s, ...l } }); -}, Cn = ({ name: e, form: t = null, basicForm: n = null, style: a = {}, className: i, cols: r = 12, rowHeight: o = 21, containerPadding: s = [0, 0], itemMargin: l = [4, 0], formProps: d = {}, formFields: c = [], fields: g = [], data: h, theme: p, themeProps: f = {}, groups: w = [{ key: "default", label: "默认" }], children: C, ...k }) => { - const [v] = Z.useForm(t), x = q(() => [{ name: "__PROPS__", value: d }].concat(c), [d, c]); - He(() => (v.setFieldsValue(h), () => v.resetFields()), [h]); - const T = (R, E, M) => { - const z = Et(E, Oa, n); - return O("div", { className: F("ff-grid-layout", i), style: { ...a, "--grid-layout-item-margin-y": `${(l == null ? void 0 : l[0]) || 0}px`, "--grid-layout-item-margin-x": `${(l == null ? void 0 : l[1]) || 0}px`, "--grid-layout-container-padding-y": `${(s == null ? void 0 : s[0]) || 0}px`, "--grid-layout-container-padding-x": `${(s == null ? void 0 : s[1]) || 0}px`, "--grid-layout-cols": r, "--grid-layout-row-height": `${o}px` }, children: [z, M && S.cloneElement(M, { cols: r, rowHeight: o, itemMargin: l, containerPadding: s, fields: E, basicForm: n })] }); - }; - return u(Z, { ...k, fields: x, form: v, component: !1, children: p ? u(bn, { ...f, items: w, theme: p, itemRender: T, fields: g, children: C, basicForm: n }) : T(0, g, C) }); -}, Ii = /* @__PURE__ */ ((e) => function({ code: t, data: n, ...a }) { - const { uuid: i, resource: r, items: o, hides: s, rowHeight: l, marginX: d, marginY: c, cols: g, theme: h, themeProps: p, groups: f } = Fa(t) || {}, w = q(() => [{ name: "__RESOURCE__", value: r }, { name: "__LAYOUT_KEY__", value: t }, { name: "__LAYOUT_UUID__", value: i }], [t, i, r]); - return r && u(e, { name: t, theme: h, themeProps: p, groups: f, ...a, fields: o, formFields: w, rowHeight: l, cols: g, itemMargin: [d, c], data: r ? { [r]: n } : n }); -})(Cn), Aa = ({ column: e = 0, colWidth: t = 0, cols: n, rowHeight: a, itemMargin: i, fields: r, primaryKey: o, dataSource: s, itemClassName: l, beforeRender: d = null, afterRender: c = null, itemRender: g = (v, x, T) => v, empty: h = u(Gn, { description: null }), className: p, style: f = {}, theme: w, themeProps: C = {}, groups: k = [{ key: "default", label: "默认" }] }) => { - const { classNames: v } = re(ee), x = q(() => u(Cn, { groups: k, theme: w, themeProps: C, cols: n, rowHeight: a, itemMargin: i, fields: r, className: l }), [r, n, a, i, k, w, C]), T = m.isEmpty(s); - return O("div", { className: F("ff-data-list-content", v.content, p), style: Object.assign({}, f, e && { "--col-num": e }, t && { "--col-width": t }), children: [d == null ? void 0 : d(s), T ? h : s.map((R, E) => { - const M = g(S.cloneElement(x, { data: R }), R, E); - return S.cloneElement(M, { key: `${(R == null ? void 0 : R[o]) ?? E}-${da(R)}` }); - }), c == null ? void 0 : c(s)] }); -}, ja = ({ component: e, $props: t }) => { - const { base62params: n } = Ke(t, {}); - return u(J, { children: u(At, { listCode: e, base62params: V.decode(n) }) }); -}, Mi = () => u(kn, {}), kn = () => "Empty", La = ({ component: e, $setting: t, $props: n }) => { - const [a, i] = j(); - I(() => { - if (!e) return i(u(kn, { description: null })); - ie.getWidgetComponent(e).catch((o) => ({ default: () => `${o}` })).then((o) => S.createElement(o.default, { $setting: t })).then(i); - }, [e]); - const r = Ke(n, {}); - return a ? S.cloneElement(a, r) : null; -}, zi = () => "NotFoundPage"; -var we, ne, be, Ce, Ue, qe; -const ce = class ce { - constructor() { - A(this, ne, /* @__PURE__ */ new Map()); - A(this, be, {}); - A(this, Ce, null); - $(this, "init", (t, n) => { - U(this, ne, t), U(this, be, n); - }); - $(this, "get", (t) => (y(this, ne).has(t) || (t = Array.from(y(this, ne).keys()).find((n) => y(this, ne).get(n).uri === t)), y(this, ne).get(t) || {})); - $(this, "redirect", (t, n, a = {}) => { - const { uri: i, type: r, widgetProps: o } = this.get(t) || {}, { router: s, query: l, ...d } = n || {}, c = Object.assign({}, d, s), g = Object.assign({}, d, l); - r == "list" && (c.base62params = V.encode(c != null && c.base62params ? c.base62params : c)); - let h = ea(i || t, c); - const p = new URLSearchParams(); - for (const f in o || {}) (o == null ? void 0 : o.type) == "query" && Object.has(g, f) && p.append(f, JSON.stringify(g[f])); - return p.size > 0 && (h = `${h}?${p.toString()}`), a != null && a.isOpenWindow ? window.open(h) : y(this, Ce).navigate(h, { replace: !!(a != null && a.isReplaceRouteHistory) }); - }); - $(this, "getMenus", (t) => { - var n; - return ((n = y(this, be)) == null ? void 0 : n[t]) || []; - }); - $(this, "findMenuPathByUuid", (t) => { - let n = []; - for (const a in y(this, be)) if (n = y(this, Ue).call(this, y(this, be)[a], t, [a]), n.length > 1) return n; - return n; - }); - $(this, "getMenusByRouteUuid", (t) => y(this, qe).call(this, t, Object.values(y(this, be)).flat())); - A(this, Ue, (t, n, a = []) => { - if (m.isEmpty(t)) return a; - for (const { uuid: i, children: r } of t) { - if (i == n) return a.concat(i); - if (!m.isEmpty(r)) return a.concat(i, y(this, Ue).call(this, r, n)); - } - return a; - }); - A(this, qe, (t, n) => { - var i; - let a = []; - for (const r of n) r.widgetType == "redirect" && (r.uuid == t || r.widget == t ? a.push(r) : (i = r.children) != null && i.length && (a = a.concat(y(this, qe).call(this, t, r.children)))); - return a; - }); - $(this, "getCurrentMenu", () => { - const { uuid: t } = this.getCurrentRoute() || {}; - if (!t) return; - const n = this.getMenusByRouteUuid(t); - return m.isEmpty(n) ? void 0 : n[0]; - }); - $(this, "getCurrentRoute", (t = 0) => { - var a; - const n = (a = y(this, Ce).state.matches[y(this, Ce).state.matches.length - 1 - t]) == null ? void 0 : a.route; - if (!n) return null; - for (let [i, r] of y(this, ne)) if (r.uri === n.path) return r; - return null; - }); - $(this, "getPageParams", (t) => { - var i, r, o; - let n = "", a = {}; - if (nn()) a = ta(), n = (i = na()) == null ? void 0 : i.search; - else { - const { location: s = {}, matches: l = [] } = ((r = y(this, Ce)) == null ? void 0 : r.state) || {}; - a = ((o = l[l.length - 1]) == null ? void 0 : o.params) || {}, n = s.search; - } - return n && new URLSearchParams(n).forEach((s, l) => { - a[l] = s; - }), t ? m.get(a, t) : a; - }); - $(this, "createBrowserRouter", (t = {}) => { - if (y(this, ne).size == 0) return null; - const n = Te.get("Common.WEBSITE_DEFAULT_THEME", "@pkg/ff/frameworks/DefaultTheme"), a = Te.get(ie.checkUserToken() ? "Common.WEBSITE_LOGIN_REDIRECT" : "Common.WEBSITE_DEFAULT", "/index"), i = { [n]: 0 }, r = (s, l) => () => Promise.all([ie.getWidgetComponent(s), Ke(l)]).then(([d, c]) => [d.default || function() { - return `${s}`; - }, c]).then(([d, c]) => ({ Component: () => S.createElement(rn, {}, S.createElement(d, { $setting: c })) })), o = Array.from(y(this, ne).values()).reduce((s, { uuid: l, uri: d, name: c, type: g, component: h, widgetSetting: p, widgetProps: f, isLogin: w, isLayout: C, extra: k }) => { - let v = {}, x = 0; - switch (g) { - case "list": - v.element = S.createElement(ja, { component: h, $props: f }); - break; - case "fsdpf-component": - v.element = S.createElement(La, { key: h, component: h, $setting: p, $props: f }); - } - const T = (k == null ? void 0 : k.theme) ?? (k == null ? void 0 : k.layout); - if (T) { - const R = (k == null ? void 0 : k.themeProps) ?? (k == null ? void 0 : k.layoutProps); - if (!i[T]) return i[T] = s.length, [...s, { path: "/", lazy: r(T, R), children: [{ path: d, ...v }] }]; - x = i[T]; - } - return C && x > -1 ? (s[x].children.push({ path: d, ...v }), s) : [...s, { path: d, ...v }]; - }, [{ path: "/", lazy: r(n, {}), children: [] }]); - return o.push({ index: !0, element: S.createElement(Va, { to: a, replace: !0 }) }), U(this, Ce, aa(o, t)); - }); - if (y(ce, we)) return y(ce, we); - } -}; -we = new WeakMap(), ne = new WeakMap(), be = new WeakMap(), Ce = new WeakMap(), Ue = new WeakMap(), qe = new WeakMap(), A(ce, we, null), $(ce, "getInstance", () => (y(ce, we) || U(ce, we, new ce()), y(ce, we))); -let Pt = ce; -const Va = ({ to: e, replace: t }) => nn() ? S.createElement(ia, { to: e, replace: t }) : (window.document.location = e, "redirect"), pe = Pt.getInstance(), Fe = new Worker(new URL("/ff-worker/index.js", self.location)), Ht = { getConfigure: (e) => Te.get(e), route: { redirect: (...e) => pe.redirect(...e), getPageParams: (...e) => pe.getPageParams(...e), getCurrentRoute: () => pe.getCurrentRoute() }, popup: { notification: (...e) => X.notification(...e), success: (...e) => X.success(...e), error: (...e) => X.error(...e), form: (...e) => X.form(...e), modal: (...e) => X.modal(...e), confirm: (...e) => X.confirm(...e) } }; -var ct, Ae, ke; -const D = class D { - constructor() { - $(this, "exec", (t, n = {}, a = {}, i = "") => new Promise((r, o) => { - if (!/^(?!\s*(\/\/|\/\*|\*)).*?\S+/m.test(t)) return r(); - const s = Wt(D, ct)._++; - y(D, Ae).set(s, a), D.mQueue.set(s, [r, o]), Fe.postMessage({ id: s, session: i, category: "eval", method: t, args: n }); - })); - $(this, "clear", (t) => Fe.postMessage({ session: t, category: "clear" })); - if (y(D, ke)) return y(D, ke); - Promise.resolve().then(() => li).then((t) => { - Ht.http = t.http; - }), Fe.addEventListener("message", ({ data: { id: t, task_id: n, method: a, args: i, category: r, data: o, error: s, session: l } }) => { - if (r === "eval" && D.mQueue.has(t)) s !== null ? D.mQueue.get(t)[1](s) : D.mQueue.get(t)[0](o), y(D, Ae).delete(t), D.mQueue.delete(t); - else if (r === "util") try { - const d = m.get(Ht, a.split("/")) || m.get(y(D, Ae).get(n), a.split("/")); - if (!m.isFunction(d)) throw `${a} not found`; - Promise.resolve(Reflect.apply(d, void 0, i)).then((c) => { - Fe.postMessage({ id: t, task_id: n, category: r, method: a, args: i, session: l, data: c, error: null }); - }).catch((c) => { - Fe.postMessage({ id: t, task_id: n, category: r, method: a, args: i, session: l, data: null, error: c }); - }); - } catch (d) { - Fe.postMessage({ id: t, task_id: n, category: r, method: a, args: i, session: l, data: null, error: d }); - } - }, !1); - } -}; -ct = new WeakMap(), Ae = new WeakMap(), ke = new WeakMap(), $(D, "mQueue", /* @__PURE__ */ new Map()), A(D, ct, 0), A(D, Ae, /* @__PURE__ */ new Map()), A(D, ke, null), $(D, "getInstance", () => (y(D, ke) || U(D, ke, new D()), y(D, ke))); -let $t = D; -const xe = $t.getInstance(), dt = () => { - const e = K(!0), [, t] = S.useReducer((n) => n + 1, 0); - return I(() => () => e.current = !1, []), () => e.current && t(); -}, Bi = (e) => { - const t = K(); - return I(() => { - t.current = e; - }, [e]), t.current; -}, Wi = (e) => { - const [t, n] = j(e), a = K(null), i = G((r, o) => { - a.current = o, n(r); - }, []); - return I(() => { - a.current && (a.current(t), a.current = null); - }, [t]), [t, i]; -}, He = (e = (a) => { -}, t, n = m.isEqual) => { - const a = S.useRef(); - n(t, a.current) || (a.current = m.cloneDeep(t)), S.useEffect(e, [a.current]); -}, Je = He, Sn = (e, t = "string") => { - var n; - if (!Array.isArray(e)) return e; - for (let a = 0; a < e.length; a++) e[a].value = ae((n = e[a]) == null ? void 0 : n.value, t), e[a] && Reflect.has(e[a], "children") && (e[a].children = Sn(e[a].children, t)); - return e; -}, Di = (e, t = "json", n = "string", a, i = null) => { - const [r] = Z.useForm(a), [o, s] = j([{ label: "无", value: "", disabled: !0 }]), l = K([]), d = Z.useWatch((c) => l.current.length === 0 ? null : m.pick(c, l.current), r) || null; - return I(() => { - Array.isArray(e) ? s(e) : t === "javascript" && e ? xe.exec(e, {}, { getFieldValue: (c) => (l.current.includes(c) || l.current.push(c), r.getFieldValue(c)), getFieldValueForBasicForm: (c) => (l.current.includes(c) || l.current.push(c), i ? i.getFieldValue(c) : r.getFieldValue(c)) }).then((c) => { - s(ae(c, "array")); - }).catch((c) => console.error("useOptions", c)) : e && s(ae(e, "array")); - }, [e, t, d]), Sn(o, n); -}, Ui = (e) => { - const [t, n] = j(), a = { type: "GET" }; - if (typeof e == "string" ? a.url = e : m.isPlainObject(e) && Object.assign(a, e), !(a != null && a.url)) throw "url is required"; - const i = (r) => V.request(a, !1).resp((o) => (console.log("useSubscribeRequest", r), n(o), o)); - return He(() => { - let r = null; - return i().then((o) => { - r = fn.subscribe(m.throttle(i, 180, { leading: !1, trailing: !0 }), o.res); - }), () => r == null ? void 0 : r(); - }, a), t; -}, Ia = (e) => { - const [t, n] = S.useState({ items: [], hides: [] }); - return S.useEffect(() => { - e && V.get(`/api/_/${e}`).then(({ pk: a, uuid: i, code: r, resource: o, align: s, cols: l, rowHeight: d, marginX: c, marginY: g, listenChangeFields: h, listenChangeFieldsFunc: p, fields: f, theme: w, themeSetting: C, groups: k }) => ({ pk: a, uuid: i, code: r, resource: o, align: s, cols: l, rowHeight: d, marginX: c, marginY: g, theme: w, themeProps: C, groups: k, listenChangeFields: h, listenChangeFieldsFunc: p, ...f.reduce((v, x) => { - var T; - return (T = x == null ? void 0 : x.field) != null && T.hidden ? v.hides.push(x == null ? void 0 : x.field) : v.items.push(x), v; - }, { items: [], hides: [] }) })).then(n); - }, [e]), t; -}, Ma = ({ max: e = 0, min: t = 0, type: n = "", message: a, pattern: i, required: r = !1, validator: o } = {}, s, l) => { - const [d, c] = j([]); - return I(() => { - const g = []; - if (r) { - let h = l; - switch (l) { - case "number": - case "string": - case "array": - break; - case "bool": - h = "boolean"; - break; - case "json": - h = "object"; - } - g.push({ type: h, required: !0, whitespace: !0, message: "该项必填" }); - } - switch (n) { - case "string": - g.push({ type: n, max: e, min: t, message: a || (t && e ? `字符必须在 ${t} ~ ${e} 之间` : `${e ? "最多能有" : "最少要有"} ${t || e} 个字符`) }); - break; - case "pattern": - g.push({ type: "string", pattern: i, message: a }); - break; - case "validator": - o && g.push(({ getFieldValue: h }) => ({ validator: async (p, f) => { - const w = await xe.exec(o, { value: f, fieldName: s }, { getFieldValue: h }); - return m.isString(w) && w ? Promise.reject(w) : m.isBoolean(w) && !w ? Promise.reject(a) : Promise.resolve(); - } })); - } - c(g); - }, [e, t, n, a, i, r, o]), d; -}, za = (e, t, n) => { - const [a, i] = j(null); - return I(() => { - const { initDataUri: r = `/api/${e}`, initDataMethod: o = "GET" } = n || {}; - t && V.request({ method: o, url: m.trimEnd(`${r}/${t}`, "/") }).then((s) => { - i(s); - }); - }, [e, t, n]), a; -}, Ba = (e, t, n) => G((a, i = { serialize: (r) => r, onSuccess: () => { -}, onFail: (r) => (r == null ? void 0 : r.errorFields) && X.error("请先完善表单信息", { duration: 2e3 }) }) => { - const r = a.getFieldValue("__RESOURCE__"), { submitDataUri: o = `/api/${e}`, submitDataMethod: s = "POST" } = n || {}; - return a.validateFields().then((l) => r ? m.pick(l, [r]) : l).then(i.serialize).then((l) => V.request({ method: s, url: m.trimEnd(`${o}/${t || ""}`, "/"), data: l }).msg(i.onSuccess)).catch(i.onFail); -}, [e, t, n]), Wa = (e, t, n, a) => { - const i = za(t, n, a); - I(() => { - i ? e.setFieldsValue(i) : e.resetFields(); - }, [e, i]); - const r = Ba(t, n, a); - return m.partial(r, e); -}, Da = (e, t, n = [], a = {}) => { - const i = K({}), r = K(), o = m.debounce(dt(), 180), s = ["disabled", "required"], l = (h, p) => { - s.includes(h) && (i.current[h] = p), o(); - }, d = q(() => ({ setDisabled: (h) => l("disabled", h), setRequired: (h) => l("required", h), getDisabled: () => i.current.disabled, getRequired: () => i.current.required }), [t]), [c, g] = wn(t, -1, {}, d, a); - if (!g && r.current != c && (c >= 0 || !m.isEmpty(n == null ? void 0 : n[c]))) { - r.current = c; - const { widget: h, widgetPrefix: p, props: f } = n == null ? void 0 : n[c]; - e = ln(h, p), i.current = m.merge(f, m.pick(i.current, s)); - } - return [e, i.current]; -}, Jt = (e) => e === void 0 || e === !1 ? "" : (Array.isArray(e) ? e : [e]).join("_"), qi = ({ value: e, onChange: t }, n = null) => { - const a = K(), [i] = Z.useForm(n), r = K({}); - return Je(() => { - m.isEqual(a.current, e) || i.setFieldsValue(e); - }, [e]), I(() => () => i.resetFields(), []), [q(() => i.__INTERNAL__ ? i : { ...i, __INTERNAL__: { itemRef: (o) => (s) => { - const l = Jt(o); - s ? r.current[l] = s : delete r.current[l]; - } }, scrollToField: (o, s = {}) => { - console.warn("useMergedFormValuesChange scrollToField not work, unreferenced antd form"); - }, focusField: (o) => { - console.warn("useMergedFormValuesChange focusField not work, unreferenced antd form"); - }, getFieldInstance: (o) => { - const s = Jt(o); - return r.current[s]; - } }, [i]), (o, s) => { - a.current = s, t == null || t(s); - }]; -}, jt = ({ widget: e = "Input", widgetPrefix: t = "@pkg/ff/grid-layout-forms", widgetDecorator: n, subWidgets: a = [], basicForm: i, ...r }) => { - const o = ln(e, t), [s, l] = Da(o, n, a, i), [d, c] = j(); - return I(() => { - s && ie.getWidgetComponent(s).then(({ defaultProps: g = {}, default: h }) => ({ default: Ua(h, g, i) })).catch((g) => ({ default: () => `${g}` })).then((g) => c(S.createElement(g.default, r))); - }, [s]), d && S.cloneElement(d, { ...r, ...l }); -}, Ua = (e, t = {}, n = null) => (a) => { - const { type: i, code: r, label: o, noStyle: s, placeholder: l, required: d = !1, extras: c, validators: g, help: h, isVirtual: p, $isReserved: f, initialValue: w, initialValueLanguage: C, ...k } = m.omit(m.merge({}, t, a), ["convertJs", "convertJsSetting", "widget", "widgetPerfix", "widgetDecorator", "subWidgets", "boxStyle"]), v = Ma(Object.assign({}, g, d ? { required: !0 } : {}), r, i), x = q(() => { - const z = Object.keys((t == null ? void 0 : t.extras) || {}); - return m.over([m.partialRight(m.pick, z), m.partialRight(m.omit, z)]); - }, [t == null ? void 0 : t.extras]), [T, R] = x(k), E = { label: o, noStyle: s, colon: !1, layout: "vertical" }, M = G((z) => z == null ? void 0 : ae(z, i), [i]); - return u(Rt, { name: r, rules: v, initialValue: M(w), normalize: M, children: (z, L, B) => { - var P; - return u(e, { type: i, rcform: B, basicForm: n, itemProps: { validateStatus: L.errors.length > 0 ? "error" : "success", tooltip: h || null, help: L.errors.length > 0 ? L.errors.join("、") : null, required: ((P = v == null ? void 0 : v[0]) == null ? void 0 : P.required) || !1, ...E }, fieldProps: { placeholder: l, ...R, ...z }, $setting: Object.assign({}, c, T) }); - } }); -}, Lt = ({ name: e, form: t = null, basicForm: n = null, style: a = {}, className: i, cols: r = 24, rowHeight: o = 16, itemMargin: s = [8, 16], containerPadding: l = [0, 0], fields: d = [], hides: c = [], primaryKey: g = 0, formProps: h = {}, formFields: p = [], listenChangeFields: f, listenChangeFieldsFunc: w, onValuesChange: C, theme: k, themeProps: v = {}, groups: x = [{ key: "default", label: "默认" }], children: T, ...R }) => { - const [E] = Z.useForm(t), M = G((B, P) => { - C == null || C(B, P), w && Array.isArray(f) && xe.exec(w, { changedValues: B, allValues: P }, { getFieldValue: E.getFieldValue, setFieldValue: E.setFieldValue, setFieldsValue: E.setFieldsValue, isFieldTouched: E.isFieldTouched, isFieldsTouched: E.isFieldsTouched }).catch((_) => console.error("onFormValuesChange", e, _)); - }, [e, E, C, f, w]), z = q(() => [{ name: "__PROPS__", value: h }, { name: "__PRIMARY_KEY__", value: g }].concat(p), [g, h, p]), L = (B, P, _) => { - const W = Et(P, jt, n); - return O("div", { className: F("ff-grid-layout-form", i), style: { ...a, "--grid-layout-item-margin-x": `${(s == null ? void 0 : s[0]) ?? 8}px`, "--grid-layout-item-margin-y": `${(s == null ? void 0 : s[1]) ?? 16}px`, "--grid-layout-container-padding-y": `${(l == null ? void 0 : l[0]) || 0}px`, "--grid-layout-container-padding-x": `${(l == null ? void 0 : l[1]) || 0}px`, "--grid-layout-cols": r, "--grid-layout-row-height": `${o}px` }, children: [W, _ && S.cloneElement(_, { cols: r, rowHeight: o, itemMargin: s, containerPadding: l, fields: P, basicForm: n })] }); - }; - return O(Z, { ...R, form: E, fields: z, onValuesChange: M, children: [k ? u(bn, { ...v, items: x, theme: k, itemRender: L, fields: d, children: T, basicForm: n }) : L(0, d, T), c == null ? void 0 : c.map((B) => { - var P; - return u(Rt, { name: B.code, children: u(qa, { form: E, basicForm: n, name: B.code, type: B.type, initialValue: B.initialValue, initialValueLanguage: (P = B.extras) == null ? void 0 : P.initialValueLanguage }) }, JSON.stringify(B.code)); - })] }); -}, qa = ({ type: e, initialValue: t, initialValueLanguage: n, onChange: a, basicForm: i }) => { - const [r, o] = wn(n == "javascript" && t, n == "javascript" ? void 0 : t, {}, {}, i); - return I(() => { - n == "javascript" ? a(ae(r, e)) : t && a(ae(t, e)); - }, [e, t, r]), null; -}; -Lt.propTypes = { fields: b.array, hides: b.array }; -const _a = /* @__PURE__ */ ((e) => ({ code: t, isPreview: n = !1, ...a }) => { - const { align: i, autoComplete: r, resource: o, items: s, hides: l, rowHeight: d, marginX: c, marginY: g, cols: h, listenChangeFields: p, listenChangeFieldsFunc: f, pk: w, uuid: C, theme: k, themeProps: v, groups: x } = Ia(t), T = q(() => [{ name: "__PK__", value: w }, { name: "__RESOURCE__", value: o }, { name: "__LAYOUT_KEY__", value: t }, { name: "__LAYOUT_UUID__", value: C }], [w, t, C, o]); - return u(e, { name: t, autoComplete: r, theme: k, themeProps: v, groups: x, ...a, formFields: T, listenChangeFields: p, listenChangeFieldsFunc: f, fields: s, hides: l, cols: h, rowHeight: d, itemMargin: [c, g] }); -})(Lt), xn = ({ $setting: e, $close: t, extras: n, code: a, primaryKey: i, ...r }) => { - const [o] = Z.useForm(), s = Wa(o, a, i, e); - return u(J, { actions: O(S.Fragment, { children: [u(N, { name: (e == null ? void 0 : e.okText) || "保存", type: "primary", widget: () => s({ onSuccess: t }) }), u(N, { name: (e == null ? void 0 : e.cancelText) || "取消", widget: () => t(!1) })] }), extras: n, children: u(_a, { form: o, code: a, primaryKey: i, ...r }) }); -}, Gt = /* @__PURE__ */ new Set(), Nt = (e = [], t = 0) => { - const n = e[t]; - if (n.length && !Gt.has(n)) { - const a = document.createElement("script"); - a.setAttribute("src", n), a.setAttribute("data-namespace", n), e.length > t + 1 && (a.onload = () => { - Nt(e, t + 1); - }, a.onerror = () => { - Nt(e, t + 1); - }), Gt.add(n), document.body.appendChild(a); - } -}, it = ({ className: e, type: t, style: n = {}, ...a }) => u("span", { role: "img", className: F("ff-iconfont", e), style: n, ...a, children: u("svg", { style: { width: "1em", height: "1em", fill: "currentColor", overflow: "hidden" }, viewBox: "0 0 1024 1024", children: u("use", { xlinkHref: `#${t}` }) }) }); -it.propTypes = { className: b.string, type: b.string.isRequired, style: b.object }, it.init = Nt; -const Ka = (e, t, n, a) => pe.redirect(n, t, a), Ha = (e, t = {}, n, a = {}) => { - var r; - const i = (r = a.router) == null ? void 0 : r.reduce((o, [s, l, d]) => { - const c = m.get(t, ["router", s]); - if (!c && c !== 0 && l) throw `请传入 ${d}`; - return `${o}/${c}`; - }, `/api/${n}`); - return V.del(i, t.param).msg(); -}, Yt = (e, t, n, { status: { loading: a, disabled: i }, setStatus: r }) => { - const o = { loading: (s) => s === void 0 ? a : r((l) => ({ ...l, loading: s })), disabled: (s) => s === void 0 ? i : r((l) => ({ ...l, disabled: s })) }; - return m.isFunction(n) ? n.call(null, { ...t, ...o }) : m.isString(n) && n ? xe.exec(n, t, o) : null; -}, Xt = (e, t, n, a, i) => m.isString(n) && n ? ie.getWidgetComponent(n).then(({ default: r }) => X.modal(r, { ...t, $setting: a }, i != null && i.title ? { ...i, title: m.template(i.title)(e) } : i)).catch((r) => { - X.error(n, { content: r.toString() }); -}) : X.modal(n, { ...t, $setting: a }, i != null && i.title ? { ...i, title: m.template(i.title)(e) } : i), Ja = (e, t, n, a, i) => X.modal(xn, { ...t, $setting: a, code: n }, i != null && i.title ? { ...i, title: m.template(i.title)(e) } : i), Ga = (e, t, n, a, i) => X.modal(At, { base62params: t, $setting: a, listCode: n }, i != null && i.title ? { ...i, title: m.template(i.title)(e) } : i), Ya = ({ widget: e, widgetType: t, widgetData: n, widgetProps: a, widgetSetting: i, widgetContainerProps: r }, { onAfterClick: o, onBeforeClick: s } = {}) => { - const l = re(ee), [d, c] = j({ leading: !0, trailing: !1 }), g = q(() => { - switch (t) { - case "redirect": - return m.partialRight(Ka, e, i); - case "func": - return m.partialRight(Yt, (i == null ? void 0 : i.code) ?? e, { status: d, setStatus: c }); - case "component": - case "fsdpf-component": - return m.partialRight(Xt, e, i, r); - case "grid-layout-form": - return m.partialRight(Ja, e, i, r); - case "data-list": - return m.partialRight(Ga, e, i, r); - case "destroy": - return m.partialRight(Ha, e, i, r); - default: - if (It(e) || S.isValidElement(e)) return m.partialRight(Xt, e, i, r); - if (m.isFunction(e)) return m.partialRight(Yt, (i == null ? void 0 : i.code) || e, { status: d, setStatus: c }); - } - return (...h) => console.error("useButton unknown widgetType", t, ...h); - }, [e, t]); - return [m.debounce((h) => (s == null || s(h), Promise.resolve(Ke(a, h, { list: l })).then((p) => g(h, { ...n, ...p })).then((p) => o == null ? void 0 : o(p)).catch(console.error)), 300, { leading: !0, trailing: !1 }), d]; -}, vn = ({ type: e, name: t, className: n, icon: a, iconPosition: i, size: r }, o = "default") => q(() => { - const s = { type: "primary", className: F("ff-button", n), iconPosition: i, size: r }; - return e === "danger" ? s.danger = !0 : e === "default" && (s.type = e), o === "link" || o === "dashed" ? (s.type = o, e === "default" && (s.className = F(s.className, "ff-default"))) : o !== "circle" && o !== "round" || (s.shape = o), a && (s.icon = u(it, { type: a })), t && (s.children = t), s; -}, [o, e, n, a, i]), ut = ({ data: e, widget: t, widgetType: n = "fsdpf-component", widgetData: a, widgetProps: i, widgetSetting: r, widgetContainerProps: o, onAfterClick: s, onBeforeClick: l, children: d, extras: c }) => { - const g = re(ee), [h, p] = j(!1), [f, w] = j("hover"), [C, k] = j({}), [v, x] = j(), { placement: T, align: R, zIndex: E, arrow: M = { pointAtCenter: !0 }, getPopupContainer: z, isPopupMountBodyContainer: L = !0, ...B } = o || {}; - I(() => { - n == "grid-layout-form" ? x(S.createElement(xn, { ...a, $setting: r, code: t })) : n == "data-list" ? x(S.createElement(At, { base62params: e, $setting: r, listCode: t })) : m.isString(t) ? ie.getWidgetComponent(t).then(({ default: W }) => { - x(S.createElement(W, { ...a, $setting: r })); - }).catch((W) => x(W.toString())) : It(t) ? x(S.createElement(t, { ...a, $setting: r })) : S.isValidElement(t) && x(S.cloneElement(t, { ...a, $setting: r })); - }, [t, n, a]), I(() => { - Promise.resolve(Ke(i, e, { list: g })).then(k); - }, [i, e, g.getBase62params]); - const P = (W, me = !1) => (p(W), !W && w("hover"), W ? l == null ? void 0 : l(C) : s == null ? void 0 : s(me)), _ = (W) => { - p(!0), w("click"); - }; - return u(Yn, { zIndex: E, placement: T, onPopupClick: _, onClick: _, open: h, align: R, arrow: M, trigger: f, getPopupContainer: z || L ? void 0 : (W) => W, content: u(Xa, { ...B, extras: c, children: v && S.cloneElement(v, { ...C, $close: (W) => P(!1, W) }) }), children: d, onOpenChange: P }); -}, Xa = ({ title: e, className: t, classNames: n, children: a, extras: i, width: r, height: o, ...s }) => { - const [l, d] = j({}), c = G((f, w) => d((C) => ({ ...C, [f]: w })), []), g = G((f) => d((w) => ({ ...w, [f]: void 0 })), []), h = e ? S.createElement("div", { className: "ff-popup-title" }, e) : l == null ? void 0 : l.title, p = i ?? S.createElement("div", { className: "ff-popup-reserved-extras" }, i); - return u(_e.Provider, { value: { ele: l, mount: c, unmount: g }, children: O("div", { className: F("ff-popup ff-popover", t, l.rootClassName), style: { width: r ?? 260, height: o }, ...s, children: [O("div", { className: F("ff-popup-header", "ff-popover-header", n == null ? void 0 : n.header), children: [h, l == null ? void 0 : l["sub-title"]] }), u("div", { className: F("ff-popup-body", "ff-popover-body", n == null ? void 0 : n.body), children: a }), O("div", { className: F("ff-popup-footer", "ff-popover-footer", n == null ? void 0 : n.footer), children: [p, l == null ? void 0 : l.extras, l == null ? void 0 : l.actions] })] }) }); -}; -ut.propTypes = { widgetType: b.oneOf(["fsdpf-component", "grid-layout-form", "data-list"]) }; -const Ge = (e) => function({ className: t, variant: n, children: a, name: i, icon: r, type: o = "default", iconPosition: s = "start", noAuthType: l, onAfterClick: d, onBeforeClick: c, data: g, loading: h, disabled: p, tooltip: f, confirm: w, widget: C = () => { -}, widgetType: k, widgetData: v, widgetProps: x, widgetSetting: T, widgetContainerProps: R, ...E }) { - const { mode: M, ...z } = R || {}, L = vn({ className: t, name: i, type: o, icon: r, iconPosition: s }, n ?? e), B = u(nt, { ...L, ...E, children: a || i }); - if (M === "popover" && !["destroy", "redirect", "func"].includes(k)) return u(ut, { data: g, widget: C, widgetType: k, widgetData: v, widgetProps: x, widgetSetting: T, widgetContainerProps: z, onAfterClick: d, onBeforeClick: c, children: B }); - const P = m.isEmpty(f) || !f.enabled ? {} : f, _ = m.isEmpty(w) ? { enabled: !1 } : Object.assign({ enabled: !0 }, w), [W, me] = j(!1), [Ye, { disabled: Xe, loading: gt }] = Ya({ widget: C, widgetType: k, widgetData: v, widgetProps: x, widgetSetting: T, widgetContainerProps: z }, { onAfterClick: d, onBeforeClick: c }); - return u(Xn, { okText: "确定", cancelText: "取消", getPopupContainer: (Q) => Q, ..._, disabled: Xe || p, open: W, onOpenChange: (Q) => { - if (!Q) return me(Q); - _.enabled ? me(Q) : Ye(g); - }, onConfirm: (Q) => { - Ye(g, Q); - }, onClick: (Q) => { - Q.stopPropagation(); - }, children: u(Qn, { getPopupContainer: (Q) => Q, ...P, title: W ? null : P == null ? void 0 : P.title, trigger: ["hover", "click"], children: S.cloneElement(B, { loading: gt || h, disabled: Xe || p }) }) }); -}, N = Ge("default"); -N.propTypes = { type: b.oneOf(["primary", "default", "danger", ""]), size: b.oneOf(["large", "middle", "small"]), name: b.string, icon: b.string, iconPosition: b.oneOf(["start", "end"]), data: b.any, widget: b.any, widgetType: b.oneOf(["destroy", "redirect", "func", "component", "fsdpf-component", "grid-layout-form", "grid-layout", "data-list"]), widgetData: b.object, widgetProps: b.object, widgetSetting: b.object, widgetContainerProps: b.object, tooltip: b.exact({ title: b.string.isRequired, placement: b.oneOf(["top", "left", "right", "bottom", "topLeft", "topRight", "bottomLeft", "bottomRight", "leftTop", "leftBottom", "rightTop", "rightBottom"]), enabled: b.oneOfType([b.bool, b.number]), getPopupContainer: b.func }), confirm: b.exact({ title: b.string.isRequired, cancelText: b.string, okText: b.string, okType: b.oneOf(["primary", "default", "danger", ""]), placement: b.oneOf(["top", "left", "right", "bottom", "topLeft", "topRight", "bottomLeft", "bottomRight", "leftTop", "leftBottom", "rightTop", "rightBottom"]), enabled: b.oneOfType([b.bool, b.number]), getPopupContainer: b.func, arrow: b.oneOfType([b.bool, b.exact({ pointAtCenter: b.bool })]) }) }; -const Qa = Ge("link"), Za = Ge("circle"), ei = Ge("round"), ti = Ge("dashed"), Qt = ({ options: e = [], triggerWeights: t = ["grid-layout-form", "grid-layout", "fsdpf-component", "print"], onAfterClick: n = (p, f, w) => { -}, onBeforeClick: a = (p, f, w) => { -}, labelVariant: i = "link", labelSize: r, labelRender: o, btnVariant: s, btnSize: l, btnRender: d = (p, f) => u(N, { ...p, data: f }, p.uuid || wt()), widgetContainerProps: c = {}, children: g, data: h }) => { - if (m.isEmpty(e)) return g; - const [p, f] = q(() => (e || []).reduce((C, k) => { - const v = t.indexOf(k.widgetType); - return v === -1 ? C[1].push(k) : C[0] ? v < t.indexOf(C[0].widgetType) ? (C[1].push(C[0]), C[0] = k) : C[1].push(k) : C[0] = k, C; - }, [null, []]), [e, t]); - o ? g = o(p, h) || g : g || (g = u(nt, { ...vn(Object.assign(p != null && p.name || p != null && p.icon ? {} : { icon: "icon-location" }, p, { size: r }), i) })); - const w = f.map((C) => d(Object.assign({ uuid: C.uuid, type: C.type, name: C.name, widget: C.widget, widgetType: C.widgetType, widgetProps: C.widgetProps, widgetData: C.widgetData, widgetSetting: C.widgetSetting, widgetContainerProps: C.widgetContainerSetting, confirm: C.confirm, onAfterClick: m.partialRight(n, C, h), onBeforeClick: m.partialRight(a, C, h) }, { size: l, variant: s }), h)); - return u(ut, { widget: p == null ? void 0 : p.widget, widgetType: p == null ? void 0 : p.widgetType, widgetProps: p == null ? void 0 : p.widgetProps, widgetSetting: p == null ? void 0 : p.widgetSetting, widgetContainerProps: Object.assign({}, c, p == null ? void 0 : p.widgetContainerProps), data: h, widgetData: p == null ? void 0 : p.widgetData, extras: w, onAfterClick: m.partialRight(n, p, h), onBeforeClick: m.partialRight(a, p, h), children: g }); -}; -Qt.propTypes = { triggerWeights: b.array, options: b.arrayOf(b.shape({ ...N.propTypes, widgetType: N.propTypes.widgetType.isRequired })), btnSize: N.propTypes.size, btnRender: b.func, btnVariant: b.oneOf(["", "default", "link", "circle", "round", "dashed"]), labelVariant: b.oneOf(["", "default", "link", "circle", "round", "dashed"]), labelRender: b.func, labelSize: N.propTypes.size, onAfterClick: b.func, onBeforeClick: b.func, widgetContainerProps: N.propTypes.widgetContainerProps, data: N.propTypes.data }, N.Link = Qa, N.Link.defaultProps = N.defaultProps, N.Link.propTypes = N.propTypes, N.Circle = Za, N.Circle.defaultProps = N.defaultProps, N.Circle.propTypes = N.propTypes, N.Round = ei, N.Round.defaultProps = N.defaultProps, N.Round.propTypes = N.propTypes, N.Dashed = ti, N.Dashed.defaultProps = N.defaultProps, N.Dashed.propTypes = N.propTypes, N.Popover = ut, N.GroupPopover = Qt; -const ni = ({ fields: e, formProps: t, $close: n }) => { - const [a] = Z.useForm(), i = q(() => [{ name: "__PROPS__", value: t }], [t]); - return u(J, { actions: O(S.Fragment, { children: [u(N, { name: "取消", widget: () => n(!1) }), u(N, { name: "确定", type: "primary", widget: () => a.validateFields(!0).then(n) })] }), children: u(Z, { fields: i, form: a, className: "ff-modal-form", children: e == null ? void 0 : e.map(({ code: r, ...o }) => u(jt, { code: r, ...o }, r)) }) }); -}, ai = ({ className: e, classNames: t, $close: n, children: a, title: i, subTitle: r, actions: o, extras: s, ...l }) => O(ra, { ...l, prefixCls: "ff-drawer", className: F("ff-popup", e), maskMotion: { motionAppear: !0, motionName: "mask-motion" }, motion: (d) => ({ motionAppear: !0, motionName: `panel-motion-${d}` }), children: [O("div", { className: F("ff-popup-header", "ff-drawer-header", t == null ? void 0 : t.header), children: [u("button", { "aria-label": "Close", className: F("ff-popup-close", "ff-drawer-close", t == null ? void 0 : t.close), onClick: l.onClose, children: u(Ot, { type: "close" }) }), i, r] }), u("div", { className: F("ff-popup-body", "ff-drawer-body", t == null ? void 0 : t.body), children: a }), O("div", { className: F("ff-popup-footer", "ff-drawer-footer", t == null ? void 0 : t.footer), children: [s, o] })] }), ii = ({ className: e, classNames: t, $close: n, $event: a, children: i, title: r, subTitle: o, actions: s, extras: l, placement: d, ...c }) => { - const g = (a == null ? void 0 : a.pageX) === void 0 ? { animation: null, maskAnimation: null, mousePosition: { x: null, y: null } } : { animation: "zoom", maskAnimation: "fade", mousePosition: { x: a == null ? void 0 : a.pageX, y: a == null ? void 0 : a.pageY } }; - return u(oa, { ...c, ...g, prefixCls: "ff-modal", modalRender: () => O("div", { className: F("ff-modal-content ff-popup", e), children: [O("div", { className: F("ff-popup-header", "ff-modal-header", t == null ? void 0 : t.header), children: [u("button", { "aria-label": "Close", className: F("ff-popup-close", "ff-modal-close", t == null ? void 0 : t.close), onClick: c.onClose, children: u(Ot, { type: "close" }) }), r, o] }), u("div", { className: F("ff-popup-body", "ff-modal-body", t == null ? void 0 : t.body), children: i }), O("div", { className: F("ff-popup-footer", "ff-modal-footer", t == null ? void 0 : t.footer), children: [l, s] })] }) }); -}, Pn = ({ placement: e, $close: t, $event: n, children: a, title: i, ...r }) => { - const [o, s] = j({}), [l, d] = j(!0), c = G((f, w) => s((C) => ({ ...C, [f]: w })), []), g = G((f) => s((w) => ({ ...w, [f]: void 0 })), []); - let h = { ...r, className: o.rootClassName, title: o.title || i && S.createElement("div", { className: F("ff-popup-title") }, i), subTitle: o["sub-title"], actions: o.actions, extras: o.extras, children: a, $close: t, $event: n, onClose: () => d(!1) }; - const p = () => { - t(!1); - }; - return u(_e.Provider, { value: { ele: o, mount: c, unmount: g }, children: e && e !== "center" ? u(ai, { ...h, placement: e, open: l, afterOpenChange: (f) => !f && p() }) : u(ii, { ...h, visible: l, afterClose: p }) }); -}; -Pn.propTypes = { placement: b.oneOf(["center", "left", "top", "right", "bottom"]) }; -const Y = () => { - const [e, t] = Wn({ maxCount: 6, motion: { motionName: "ff-notification-fade", motionAppear: !0, motionEnter: !0, motionLeave: !0, onLeaveStart: (r) => { - const { offsetHeight: o } = r; - return { height: o }; - }, onLeaveActive: () => ({ height: 0, opacity: 0, margin: 0 }) }, prefixCls: "ff-notification" }), [, n] = S.useReducer((r) => r + 1, 0); - I(() => { - Y.$onClick = a, Y.$queue.forEach(([r, o, s], l, d) => { - i([o, s], ...r), delete d[l]; - }); - }, []); - const a = (r, o = {}, s = {}) => new Promise((l, d) => i([l, d], r, o, s)), i = ([r, o], s, l = {}, d = {}) => { - const c = Y.$index++, g = (h) => ((p, f) => (Y.$popups.delete(p), n(), f == null ? void 0 : f()))(c, () => r(h)); - if (s === on) return e.open({ ...d, key: c, content: S.createElement(s, { ...l, $close: () => e.close(c) }) }); - Y.$popups.set(c, S.createElement(Pn, { maskClosable: !1, $event: l == null ? void 0 : l.$event, ...d, key: c, $close: g }, S.isValidElement(s) ? S.cloneElement(s, { ...l, $close: g }) : s != null && s.name || Dt.isForwardRef(s) || (s == null ? void 0 : s.$$typeof) === Dt.ForwardRef ? S.createElement(s, { ...l, $close: g }) : s)), n(); - }; - return O(S.Fragment, { children: [Array.from(Y.$popups).map(([r, o]) => o), t] }); -}; -Y.$popups = /* @__PURE__ */ new Map(), Y.$index = 0, Y.$queue = [], Y.$onClick = (...e) => new Promise((t, n) => { - Y.$queue.push([e, t, n]); -}); -const Zt = (e, t, n = {}) => Y.$onClick(e, t, n), ft = (e, { showProgress: t, duration: n, ...a } = { duration: 1.5 }) => Y.$onClick(on, { content: e, ...a }, { showProgress: t, duration: n }), X = { modal: Zt, confirm: (e, t = {}) => Y.$onClick(sa, { content: e, ...t }, { placement: "center" }), form: (e, t = {}, n = {}) => Zt(ni, { formProps: n, fields: e }, { placement: "center", ...t }).then((a) => { - if (a === !1) throw !1; - return a; -}), notification: ft, success: (e, t = { duration: 1.5 }) => ft(e, { ...t, className: "ff-notification-success", icon: "check" }), error: (e, t = { duration: 1.5 }) => ft(e, { ...t, className: "ff-notification-error", icon: "close" }) }; -Ve.configure({ showSpinner: !1 }), Ie.interceptors.request.use((e) => { - e.headers.Platform = "web", e.headers.SaaS = window.localStorage.getItem("SaaS"); - const t = window.localStorage.getItem(tt); - return e.headers.Authorization = t ? `Bearer ${t} ` : void 0, Ve.inc(), e; -}, (e) => (Ve.done(), Promise.reject({ code: -1, msg: e }))), Ie.interceptors.response.use(({ data: e, headers: t }) => (Ve.done(), { ...e, res: t == null ? void 0 : t.res }), function(e) { - return Ve.done(), Promise.reject(e.message); -}), window.addEventListener("unhandledrejection", bt.onUnhandledRejection), bt.onMsg = (e, t) => X[[0, 1].includes(e) ? "success" : "error"](t).then(() => e === 20300 && pe.redirect(Te.get("Common.WEBSITE_LOGIN_PAGE"))); -var Ne, je; -const H = class H { - constructor() { - $(this, "appUrl", ""); - return y(H, Ne) || (U(H, je, new bt()), U(H, Ne, new Proxy(this, { get: (t, n) => n === "init" ? t.init : n === "appUrl" ? t.appUrl : y(H, je)[n] }))), y(H, Ne); - } - init(t, n, a) { - Ie.defaults.baseURL = this.appUrl = a, Ie.defaults.timeout = 15e3, y(H, je).init(t, n, Ie); - } -}; -Ne = new WeakMap(), je = new WeakMap(), A(H, Ne, null), A(H, je, null), $(H, "getInstance", () => y(H, Ne) ?? U(H, Ne, new H())); -let Tt = H; -const V = Tt.getInstance(); -class Vt extends Error { - constructor(t, n) { - super(n), Error.captureStackTrace && Error.captureStackTrace(this, Vt), !n instanceof Me && (this.name = `${t} Error Runtime`); - } -} -class Me extends Error { - constructor(t, ...n) { - super(...n), Error.captureStackTrace && Error.captureStackTrace(this, Me), this.name = `${t} Not Found`; - } -} -const yt = "mine", tt = "token"; -var Se, Le; -const de = class de { - constructor() { - A(this, Le, /* @__PURE__ */ new Map()); - $(this, "setVendor", (t, n) => y(this, Le).set(t, new an(n, async (a, i) => { - var o, s; - if (!(a != null && a.default)) throw "@pkg not found"; - let r = () => i; - switch ("function") { - case typeof (r = (o = a.default) == null ? void 0 : o[`./${i}/index.jsx`]): - case typeof (r = (s = a.default) == null ? void 0 : s[`./${i}/index.js`]): - return r(); - } - throw new Me(i); - }))); - $(this, "getWidgetComponent", async (t) => { - if (!t) throw "getWidgetComponent widget is required"; - if (t != null && t.startsWith("blob:") || t != null && t.startsWith("http:") || t != null && t.startsWith("https:")) return await import(t); - const [, n] = t == null ? void 0 : t.split("@pkg/"); - if (!n) throw new Me(t); - try { - return y(this, Le).has("pkg") ? await y(this, Le).get("pkg").get(n) : await import(`${V.appUrl}/api/pkg-import/web?name=${t}`); - } catch (a) { - throw new Vt(t, a); - } - }); - $(this, "getRoutes", () => V.get("/api/my-router").then((t) => [...t, { uuid: "data-list-setting", isLayout: !0, uri: "/data-list-setting/:category/:categoryUuid", type: "fsdpf-component", component: "@pkg/ff-design/components/DataListSetting", extra: { layout: "@pkg/ff-design/frameworks/DesignTheme" } }, { uuid: "grid-layout-setting", isLayout: !0, uri: "/grid-layout-setting/:category/:categoryUuid", type: "fsdpf-component", component: "@pkg/ff-design/components/GridLayoutSetting", extra: { layout: "@pkg/ff-design/frameworks/DesignTheme" } }, { uuid: "grid-layout-form-setting", isLayout: !0, uri: "/grid-layout-form-setting/:category/:categoryUuid", type: "fsdpf-component", component: "@pkg/ff-design/components/GridLayoutFormSetting", extra: { layout: "@pkg/ff-design/frameworks/DesignTheme" } }, { uuid: "resource-api-setting", isLayout: !0, uri: "/resource-api-setting/:category/:categoryUuid", type: "fsdpf-component", component: "@pkg/ff-design/components/ResourceApiSetting", extra: { layout: "@pkg/ff-design/frameworks/DesignTheme" } }, { uuid: "charts-setting", isLayout: !0, uri: "/resource-api-setting/:category/:categoryUuid", type: "fsdpf-component", component: "@pkg/ff-design/components/ChartsSetting", extra: { layout: "@pkg/ff-design/frameworks/DesignTheme" } }, { uuid: "fsm-setting", isLayout: !0, uri: "/fsm-setting/:category/:categoryUuid", type: "fsdpf-component", component: "@pkg/ff-design/components/FsmSetting", extra: { layout: "@pkg/ff-design/frameworks/DesignTheme" } }, { uuid: "component-setting", isLayout: !0, uri: "/component-setting/:category/:categoryUuid", type: "fsdpf-component", component: "@pkg/ff-design/components/ComponentSetting", extra: { layout: "@pkg/ff-design/frameworks/DesignTheme" } }, { uuid: "login", uri: "/login", name: "登录", type: "fsdpf-component", isLogin: !1, component: "@pkg/ff/components/Login" }, { uuid: "not-found", uri: "*", name: "Not Found", type: "fsdpf-component", isLogin: !1, component: "@pkg/ff/components/NotFound" }].map(({ uuid: n, ...a }) => [n, { uuid: n, ...a }])).then((t) => new Map(t))); - $(this, "getMenus", () => V.get("/api/my-menu")); - $(this, "getConfigure", () => V.get("api/init-configure")); - $(this, "getWidgetOperationAuth", () => V.get("/api/init-widget-operation-auth").then((t) => t.reduce((n, { uuid: a, auth: i }) => [...n, [a, i]], []))); - $(this, "getPhoneNumber", (t) => V.get(`/api/user-wx-phone-number/${t}`)); - $(this, "getUserToken", () => { - const t = window.localStorage.getItem(tt); - if (!t) return ""; - const n = t.split("."); - if (!Array.isArray(n) || n.length !== 3) throw "登录令牌无效!"; - const { iat: a } = JSON.parse(window.atob(n[1])); - if (Math.floor((/* @__PURE__ */ new Date()).getTime() / 1e3) - a > 2592e3) throw "登录令牌已过期, 请重新登录!"; - return t; - }); - $(this, "checkUserToken", () => { - try { - return !!this.getUserToken(); - } catch { - return !1; - } - }); - $(this, "getUserInfo", (t = !0) => { - var n; - try { - const a = this.getUserToken(); - if (!a) return Promise.resolve(null); - const { iat: i } = JSON.parse(window.atob((n = a == null ? void 0 : a.split(".")) == null ? void 0 : n[1])), { iat: r, ...o } = V.decode(window.localStorage.getItem(yt) || "", {}); - return r === i ? Promise.resolve(o) : V.get("/api/mine-info").then(({ User: s = null }) => (window.localStorage.setItem(yt, V.encode({ ...s, iat: i })), s)); - } catch (a) { - console.error(a), t && X.error("请登录").then(this.logout); - } - return Promise.resolve(null); - }); - $(this, "login", (t, n, a = {}) => V.post("/api/user-token", { username: t, passwd: Dn.hash(n), platform: "web", ...a }).then(({ token: i }) => (window.localStorage.setItem(tt, i), i)).then(async (i) => (await this.initAppEnv(), i))); - $(this, "logout", (t) => (window.localStorage.removeItem(yt), window.localStorage.removeItem(tt), t == null ? void 0 : t())); - $(this, "initAppEnv", async () => { - const [t, n, a, i] = await Promise.all([this.getWidgetOperationAuth(), this.getRoutes(), this.getMenus(), this.getConfigure()]); - return sn.init(t), Te.init(i), pe.init(n, a), it.init(Te.get("Common.ICONFONT")), { widgetOperationAuth: t, routes: n, menus: a, configures: i }; - }); - if (y(de, Se)) return y(de, Se); - } -}; -Se = new WeakMap(), Le = new WeakMap(), A(de, Se, null), $(de, "getInstance", () => (y(de, Se) || U(de, Se, new de()), y(de, Se))); -let Ft = de; -const ie = Ft.getInstance(), ri = S.createContext({ user: {}, initUser: () => { -}, initUserComplete: !1 }), oi = S.createContext({ set: () => { -}, get: () => { -}, assign: () => { -}, currentRoute: () => { -} }), It = (e) => !!(e != null && e.name) && (e.prototype instanceof S.Component || /^[A-Z]/.test(e.name)), si = (e, t) => { - if (!e || typeof window > "u") return; - let n = document.querySelector(`style[ff-style-token="${t}"]`); - return n ? (n.innerHTML = e, e) : (n = document.createElement("style"), n.setAttribute("ff-style-token", t), n.setAttribute("type", "text/css"), n.innerHTML = e, document.head.appendChild(n), e); -}, li = Object.freeze(Object.defineProperty({ __proto__: null, AppContext: ri, AppGlobalParamsContext: oi, cache: an, configure: Te, default: ie, func: xe, http: V, insertStyle: si, isReactComponent: It, route: pe }, Symbol.toStringTag, { value: "Module" })); -export { - dt as $, - hn as A, - mn as B, - $a as C, - at as D, - Pa as E, - xa as F, - Ii as G, - Ta as H, - At as I, - ee as J, - Na as K, - Aa as L, - ba as M, - ka as N, - ha as O, - fa as P, - Ai as Q, - fn as R, - ji as S, - gn as T, - xt as U, - ya as V, - wa as W, - ja as X, - La as Y, - Mi as Z, - zi as _, - ln as a, - Bi as a0, - Wi as a1, - He as a2, - Je as a3, - Di as a4, - Ui as a5, - _a as a6, - Lt as a7, - jt as a8, - xn as a9, - pe as aA, - ri as aB, - oi as aC, - Ia as aa, - Ma as ab, - za as ac, - Ba as ad, - Wa as ae, - Da as af, - qi as ag, - it as ah, - N as ai, - sn as aj, - Ya as ak, - J as al, - _e as am, - rn as an, - Y as ao, - X as ap, - Pi as aq, - $i as ar, - Ni as as, - ie as at, - It as au, - si as av, - V as aw, - an as ax, - Te as ay, - xe as az, - ca as b, - Ke as c, - cn as d, - Fi as e, - Ri as f, - la as g, - Oi as h, - da as i, - ga as j, - Ei as k, - pn as l, - ua as m, - Li as n, - Et as o, - yn as p, - Cn as q, - ht as r, - Oa as s, - ae as t, - Ti as u, - bn as v, - Fa as w, - Ra as x, - Vi as y, - wn as z -}; diff --git a/dist/common/main-C0CYfBDd.js b/dist/common/main-C0CYfBDd.js new file mode 100644 index 0000000..822c17f --- /dev/null +++ b/dist/common/main-C0CYfBDd.js @@ -0,0 +1,1456 @@ +var Zn = Object.defineProperty; +var en = (t) => { + throw TypeError(t); +}; +var ei = (t, e, n) => e in t ? Zn(t, e, { enumerable: !0, configurable: !0, writable: !0, value: n }) : t[e] = n; +var P = (t, e, n) => ei(t, typeof e != "symbol" ? e + "" : e, n), tn = (t, e, n) => e.has(t) || en("Cannot " + n); +var c = (t, e, n) => (tn(t, e, "read from private field"), n ? n.call(t) : e.get(t)), x = (t, e, n) => e.has(t) ? en("Cannot add the same private member more than once") : e instanceof WeakSet ? e.add(t) : e.set(t, n), B = (t, e, n, i) => (tn(t, e, "write to private field"), i ? i.call(t, n) : e.set(t, n), n); +var nn = (t, e, n, i) => ({ + set _(r) { + B(t, e, r, n); + }, + get _() { + return c(t, e, i); + } +}); +import { jsx as h, jsxs as F } from "react/jsx-runtime"; +import E, { useEffect as V, useState as L, useCallback as X, useRef as _, useContext as le, useMemo as q, useId as Ft, isValidElement as ti, useLayoutEffect as ni } from "react"; +import ce from "pathe"; +import b from "prop-types"; +import O from "classnames"; +import * as rn from "react-is"; +import { useNotification as ii } from "rc-notification"; +import m from "lodash"; +import ne, { Field as qt, FieldContext as yn } from "rc-field-form"; +import { M as Nt, N as qe, a as Ke, _ as At, S as ri } from "./vender-FNiQWFaA.js"; +import wn from "immutability-helper"; +import { Space as ai, Form as gt, Input as oi, Button as mt, Pagination as si, Tree as li, Breadcrumb as ci, Table as di, Empty as ui, Popover as pi, Popconfirm as gi, Tooltip as hi } from "antd"; +import { useMergedState as mi } from "rc-util"; +import { generatePath as fi, useInRouterContext as bn, useParams as yi, useLocation as wi, createBrowserRouter as bi, Navigate as Ci } from "react-router-dom"; +import "rc-util/lib/hooks/useMergedState"; +import ki from "rc-drawer"; +import Ei from "rc-dialog"; +var Me, He, De, ye, Fe, Ae; +class Cn { + constructor(e, n) { + x(this, Me, /* @__PURE__ */ new Map()); + x(this, He, !0); + x(this, De, []); + x(this, ye); + x(this, Fe, () => c(this, ye)); + x(this, Ae, () => Promise.resolve()); + P(this, "get", (...e) => new Promise((n, i) => { + const r = JSON.stringify(e); + if (c(this, Me).has(r)) return n(c(this, Ae).call(this, c(this, ye), ...e)); + if (c(this, ye) === void 0) c(this, De).push([e, n, i]), c(this, He) && (B(this, He, !1), Promise.resolve(typeof c(this, Fe) == "function" ? c(this, Fe).call(this) : c(this, Fe)).then((a) => B(this, ye, a || null)).finally(() => { + c(this, De).forEach(([a, o, s]) => { + try { + const l = c(this, Ae).call(this, c(this, ye), ...a); + c(this, Me).set(JSON.stringify(a), l), o(l); + } catch (l) { + s(l); + } + }), c(this, De).length = 0; + })); + else { + const a = c(this, Ae).call(this, c(this, ye), ...e); + c(this, Me).set(r, a), n(a); + } + })); + B(this, Ae, n), B(this, Fe, e); + } +} +Me = new WeakMap(), He = new WeakMap(), De = new WeakMap(), ye = new WeakMap(), Fe = new WeakMap(), Ae = new WeakMap(); +const Ur = () => h("div", { children: "Empty" }), rt = E.createContext({ ele: {}, mount: () => { +}, unmount: () => { +} }), G = ({ rootClassName: t, className: e, children: n, actions: i, title: r, subTitle: a, extras: o, style: s = {} }) => { + const { mount: l, unmount: u } = E.useContext(rt); + return G.Action({ children: i }), G.Title({ children: r }), G.SubTitle({ children: a }), G.Extra({ children: o }), V(() => (l("rootClassName", t), () => u(t)), [t]), h("div", { className: O("ff-container", e), style: s, children: n }); +}, pt = (t) => ({ children: e, className: n }) => { + const { mount: i, unmount: r } = E.useContext(rt); + return V(() => (e && i(t, E.createElement("div", { key: `ff-${t}`, className: O(`ff-popup-${t}`, n) }, e)), () => r(t)), [n, e]), null; +}; +G.Action = pt("actions"), G.Title = pt("title"), G.SubTitle = pt("sub-title"), G.Extra = pt("extras"), G.propTypes = { className: b.string, style: b.object, title: b.any, subTitle: b.any, actions: b.any, extras: b.any }; +const qr = () => h(G, { className: "ff-loading", children: F("div", { className: "loader", children: [F("div", { className: "square", children: [h("span", {}), h("span", {}), h("span", {})] }), F("div", { className: "square", children: [h("span", {}), h("span", {}), h("span", {})] }), F("div", { className: "square", children: [h("span", {}), h("span", {}), h("span", {})] }), F("div", { className: "square", children: [h("span", {}), h("span", {}), h("span", {})] })] }) }), Kr = () => h("div", { children: "NotFound" }), kn = ({ children: t }) => { + const [e, n] = L({}), i = X((a, o) => n((s) => ({ ...s, [a]: o })), []), r = X((a) => n((o) => ({ ...o, [a]: void 0 })), []); + return typeof (t == null ? void 0 : t.type) == "string" ? t : h(rt.Provider, { value: { ele: e, mount: i, unmount: r }, children: E.cloneElement(t, { className: e.rootClassName, title: e.title, subTitle: e["sub-title"], actions: e.actions, extras: e.extras }) }); +}; +kn.propTypes = { children: b.element.isRequired }; +const an = { close: ["M563.8 512l262.5-312.9c4.4-5.2 0.7-13.1-6.1-13.1h-79.8c-4.7 0-9.2 2.1-12.3 5.7L511.6 449.8 295.1 191.7c-3-3.6-7.5-5.7-12.3-5.7H203c-6.8 0-10.5 7.9-6.1 13.1L459.4 512 196.9 824.9c-4.4 5.2-0.7 13.1 6.1 13.1h79.8c4.7 0 9.2-2.1 12.3-5.7l216.5-258.1 216.5 258.1c3 3.6 7.5 5.7 12.3 5.7h79.8c6.8 0 10.5-7.9 6.1-13.1L563.8 512z"], check: ["M912 190h-69.9c-9.8 0-19.1 4.5-25.1 12.2L404.7 724.5 207 474c-6.1-7.7-15.3-12.2-25.1-12.2H112c-6.7 0-10.4 7.7-6.3 12.9l273.9 347c12.8 16.2 37.4 16.2 50.3 0l488.4-618.9c4.1-5.1 0.4-12.8-6.3-12.8z"], info: ["M512 224m-64 0a64 64 0 1 0 128 0 64 64 0 1 0-128 0Z", "M544 392h-64c-4.4 0-8 3.6-8 8v464c0 4.4 3.6 8 8 8h64c4.4 0 8-3.6 8-8V400c0-4.4-3.6-8-8-8z"] }, Kt = ({ type: t, props: e }) => h("i", { ...e, children: h("svg", { viewBox: "0 0 1024 1024", width: "1em", height: "1em", fill: "currentColor", children: (an[t] || an.info).map((n, i) => h("path", { d: n }, i)) }) }), En = ({ className: t, content: e, icon: n, $close: i }) => F(E.Fragment, { children: [n && h("div", { className: O("ff-notification-icon", t), children: h(Kt, { type: n }) }), e] }), $i = ({}) => h(G, { children: "Confirm" }); +var $e, ze; +const de = class de { + constructor() { + x(this, ze, /* @__PURE__ */ new Map()); + P(this, "init", (e) => B(this, ze, new Map(e))); + P(this, "check", (e) => !c(this, ze).has(e) || c(this, ze).get(e)); + if (c(de, $e)) return c(de, $e); + } +}; +$e = new WeakMap(), ze = new WeakMap(), x(de, $e, null), P(de, "getInstance", () => (c(de, $e) || B(de, $e, new de()), c(de, $e))); +let Lt = de; +const $n = Lt.getInstance(), vi = (t, e, n = "children") => { + if (m.isEmpty(t)) return {}; + const i = m.find(t, ["value", e]); + if (!m.isEmpty(i)) return i; + const r = t.length; + for (let a = 0; a < r; a++) { + const { [n]: o } = t[a], s = vi(o, e, n); + if (!m.isEmpty(s)) return s; + } + return {}; +}, vn = (t = "Input", e = "@pkg/ff/grid-layout-forms") => t != null && t.startsWith("@") || t != null && t.startsWith("blob:") ? t : `${e}/${t}`; +var ve, Je; +const ue = class ue { + constructor() { + x(this, Je, null); + P(this, "init", (e) => B(this, Je, e)); + P(this, "get", (e, n) => m.get(c(this, Je), e, n)); + if (c(ue, ve)) return c(ue, ve); + } +}; +ve = new WeakMap(), Je = new WeakMap(), x(ue, ve, null), P(ue, "getInstance", () => (c(ue, ve) || B(ue, ve, new ue()), c(ue, ve))); +let jt = ue; +const Ie = jt.getInstance(), on = { null2json: (t) => Object.create(), null2array: (t) => [], null2number: (t) => 0, null2bool: (t) => !1, null2string: (t) => "", null2integer: (t) => 0, null2float: (t) => 0, string2json: (t) => t ? JSON.parse(t) : "{}", string2array: (t) => t.substr(0, 1) === "[" && t.substr(-1) === "]" ? JSON.parse(t) : t.split(","), string2number: (t) => t == "" ? 0 : +t, string2integer: (t) => t == "" ? 0 : +t, string2float: (t) => t == "" ? 0 : +t, string2bool: (t) => { + switch (`${t}`.toLowerCase()) { + case "0": + case "false": + case "[]": + case "{}": + return !1; + } + return !!t; +}, string2string: (t) => t, json2json: (t) => t, json2array: (t) => t ? Object.values(t) : [], json2number: (t) => Object.keys(t).length, json2integer: (t) => Object.keys(t).length, json2float: (t) => Object.keys(t).length, json2bool: (t) => Object.keys(t).length > 0, json2string: (t) => t ? JSON.stringify(t) : "", array2json: (t) => ({ ...t }), array2array: (t) => t, array2number: (t) => t.length, array2integer: (t) => t.length, array2float: (t) => t.length, array2bool: (t) => t.length > 0, array2string: (t) => JSON.stringify(t), number2json: (t) => ({}), number2array: (t) => [t], number2number: (t) => t, number2integer: (t) => t, number2float: (t) => t, number2bool: (t) => !!t, number2string: (t) => t.toString(), boolean2json: (t) => ({}), boolean2array: (t) => [], boolean2number: (t) => +t, boolean2integer: (t) => +t, boolean2float: (t) => +t, boolean2bool: (t) => t, boolean2string: (t) => t ? "true" : "false" }, oe = (t, e) => { + let n = "string"; + n = Array.isArray(t) ? "array" : typeof t, m.isObject(t) && (n = "json"); + const i = `${n}2${e}`; + return Reflect.has(on, i) ? on[i](t) : t; +}, Si = (t) => t === null ? "null" : Array.isArray(t) ? "array" : typeof t == "object" ? "json" : typeof t == "boolean" ? "bool" : typeof t == "string" ? "string" : typeof t == "number" ? Number.isInteger(t) ? "integer" : "float" : typeof t, at = (t = {}, e = {}, n = {}, i = "") => Sn(t, (r, a) => a === "type" && r === "code") ? xn(t, e, n, i) : Pn(t, e, i), Sn = (t, e = () => !1) => m.some(t, (n) => !!m.some(n, e) || (m.isEmpty(n) || !m.isPlainObject(n) && !m.isArray(n) ? void 0 : Sn(n, e))), xn = async (t = {}, e = {}, n = {}, i = "") => { + let r = /* @__PURE__ */ Object.create(null); + for (let a in t) { + let o; + if (Reflect.has(t[a], "type") && ["code", "field", "router", "query", "string"].includes(t[a].type)) { + const { type: s, value: l = "", default: u = i } = t[a]; + switch (s) { + case "code": + try { + o = await Re.exec(l, e, n); + } catch (d) { + console.error("getWidgetPropsData", d); + } + break; + case "field": + o = m.get(e, l) ?? m.get(e, l.substring(l.indexOf(".") + 1)); + break; + case "router": + case "query": + o = ke.getPageParams(l); + break; + case "string": + o = l; + } + o ?? (o = u); + } else o = await xn(t[a], e, n, i); + m.set(r, a, o); + } + return r; +}, Pn = (t = {}, e = {}, n = "") => Object.keys(t || {}).reduce((i, r) => { + if (m.isPlainObject(t[r])) { + let a; + if (Reflect.has(t[r], "type") && ["field", "router", "query", "string"].includes(t[r].type)) { + const { type: o, value: s = "", default: l = n } = t[r]; + switch (o) { + case "field": + a = m.get(e, s) ?? m.get(e, s.substring(s.indexOf(".") + 1)); + break; + case "router": + case "query": + a = ke.getPageParams(s); + break; + case "string": + a = s; + } + a ?? (a = l); + } else a = Pn(t[r], e, n); + m.set(i, r, a); + } + return i; +}, {}), Tt = (t, e) => t && typeof t == "object" ? Array.isArray(t) ? t.map((n) => Tt(n, e)) : Object.keys(t).reduce((n, i) => (e[i] ? n[e[i]] = Tt(t[i], e) : n[i] = Tt(t[i], e), n), {}) : t, _r = () => "xxxxxxxx-xxxx-4xxx-yxxx-xxxxxxxxxxxx".replace(/[xy]/g, (t) => { + const e = 16 * Math.random() | 0; + return (t === "x" ? e : 3 & e | 8).toString(16); +}), Hr = (t) => { + var e, n; + return t ? (n = (e = t.match(/^@pkg(?:[^\/]*\/){3}(?[^\/]+)/)) == null ? void 0 : e.groups) == null ? void 0 : n.name : ""; +}, Jr = (t) => { + var e, n; + return t ? (n = (e = t.match(/^@pkg(?:[^\/]*\/){2}(?[^\/]+)/)) == null ? void 0 : e.groups) == null ? void 0 : n.category : ""; +}, Yr = (t) => { + var e, n; + return t ? (n = (e = t.match(/^@pkg(?:[^\/]*\/){1}(?[^\/]+)/)) == null ? void 0 : e.groups) == null ? void 0 : n.owner : ""; +}, xi = (t, e = 32, n = "auto") => { + const i = It(t), r = n === "auto" ? "x64" : n; + if (e === 32) return Nt.x86.hash32(i).toString(); + if (e === 128) return r === "x64" ? Nt.x64.hash128(i) : Nt.x86.hash128(i); + throw new Error("bits 只能是 32 或 128"); +}, It = (t) => t == null ? "null" : typeof t == "string" ? t : typeof t == "number" || typeof t == "boolean" ? String(t) : typeof t == "function" ? t.toString() : Array.isArray(t) ? "[" + t.map(It).join(",") + "]" : typeof t == "object" ? "{" + Object.keys(t).sort().map((e) => `${e}:${It(t[e])}`).join(",") + "}" : String(t), Pi = () => { + let t = 1; + const e = /* @__PURE__ */ new WeakMap(), n = /* @__PURE__ */ new Map(); + return (...i) => i.length === 0 ? "" : i.map((r) => { + return String((a = r) === null || typeof a != "object" && typeof a != "function" ? (n.has(a) || n.set(a, t++), n.get(a)) : (e.has(a) || e.set(a, t++), e.get(a))); + var a; + }).join("::"); +}, Ni = (t) => { + if (!t || typeof t != "string" || t.startsWith("/") || t.startsWith("./") || t.startsWith("../")) return !1; + try { + let e = t.startsWith("//") ? `http:${t}` : t; + return e.includes("://") || e.startsWith("//") || (e = `http://${e}`), !!new URL(e).hostname; + } catch { + return !1; + } +}, Gr = (t, e = "") => { + if (!t || typeof t != "string" || Ni(t)) return t; + let n = e; + return !n && typeof window < "u" && window.location && (n = `${window.location.protocol}//${window.location.host}`), t.startsWith("/") ? n ? `${n}${t}` : t : n ? `${n}/${t}` : t; +}; +var wt, Ye, Ge, bt; +const Ct = class Ct { + constructor(...e) { + x(this, Ye, []); + x(this, Ge, (e) => { + var n; + for (let i of e) Array.isArray(i[0]) ? c(this, Ge).call(this, i) : c(this, Ye).push(c(n = Ct, wt).call(n, i[0], i[1])); + }); + P(this, "toValue", async (e, n = null) => { + const i = { getValue: () => e, getRecord: () => n }; + let r = e; + for (const a of c(this, Ye)) try { + const o = await a; + if (typeof o != "function") { + console.warn("middleware is not a function, skip:", o); + continue; + } + r = await o.call(i, r); + } catch (o) { + console.error("middleware error, skip:", o); + } + return r; + }); + P(this, "toRender", (e, n, i = null) => E.createElement(c(this, bt), { value: e, record: n }, i)); + x(this, bt, ({ value: e, record: n, children: i }) => { + const [r, a] = L(i); + return st(() => { + let o = !1; + return a(i), this.toValue(e, n).then((s) => !o && a(s)).catch((s) => !o && a(`${s}`)), () => o = !0; + }, [e, n]), r; + }); + c(this, Ge).call(this, e); + } +}; +wt = new WeakMap(), Ye = new WeakMap(), Ge = new WeakMap(), bt = new WeakMap(), x(Ct, wt, m.memoize((e, n) => { + if (typeof e == "function") return e(n); + if (typeof e == "string") return se.getWidgetComponent(e).then((i) => { + var r; + return ((r = i.default) == null ? void 0 : r.call(i, n)) || ((a) => a); + }); + throw new TypeError("middleware must be a string or a function"); +}, Pi())); +let ft = Ct; +const ie = E.createContext({ listCode: "", classNames: {}, getBase62params: (t, e) => { +}, onReload: () => { +}, onClickCallback: () => { +}, onConditionChange: () => { +}, onTabChange: () => { +}, onSiderChange: () => { +}, onKeywordChange: () => { +}, onPageChange: () => { +}, onPageSizeChange: () => { +}, reload: () => { +}, setPage: () => { +}, setPageSize: () => { +}, setTab: () => { +}, setSider: () => { +}, setKeyword: () => { +}, setCondition: () => { +} }), sn = ({ className: t, record: e, column: n, ...i }) => { + if (n != null && n.editableByJs && (n != null && n.uuid)) { + const { formSetting: r = { primaryKey: "id" }, widgetSetting: a = {}, widgetContainerSetting: o = {} } = (n == null ? void 0 : n.editableByJsSetting) || {}; + return h(N.Popover, { widget: Ti, widgetData: { record: e, column: n }, widgetSetting: { widgetSetting: a, formSetting: r }, widgetContainerProps: { title: n != null && n.title ? `${n.title} - 编辑` : "编辑", ...o, width: (o == null ? void 0 : o.width) || 260, arrow: !0 }, children: h("td", { className: O("ff-data-list-cell-editable", t), ...i }) }); + } + return h("td", { className: t, ...i }); +}, Ti = ({ record: t, column: e, $close: n, $setting: i }) => { + const r = _(Si(m.get(t, e == null ? void 0 : e.dataIndex))), { listCode: a, onClickCallback: o } = le(ie), [s] = ne.useForm(), { formSetting: l, widgetSetting: u } = i, d = (l == null ? void 0 : l.primaryKey) || "id", p = () => { + s.setFieldsValue({ value: m.get(t, e == null ? void 0 : e.dataIndex), __PROPS__: t }); + }; + return st(() => p(), [t, e == null ? void 0 : e.dataIndex, a]), h(G, { actions: F(E.Fragment, { children: [h(N, { size: "small", onClick: p, children: "重置" }), F(ai.Compact, { block: !0, children: [h(N, { size: "small", widget: n, children: "取消" }), h(N, { type: "primary", size: "small", widget: () => s.validateFields().then(({ value: f }) => { + const g = m.get(t, d.substring(d.indexOf(".") + 1)); + if (!g) throw "获取更新主键失败!"; + I.put(`/api/${a}-storeBy-${e == null ? void 0 : e.uuid}/${g}`, { value: f }).msg(() => o(2, t)).then(n); + }).catch(console.warn), children: "保存" })] })] }), children: F(ne, { form: s, children: [h(Jt, { label: "", type: r.current, code: "value", widget: e == null ? void 0 : e.editableByJs, extras: u }), h(qt, { noStyle: !0, name: ["__PROPS__"], children: () => { + } })] }) }); +}, Oi = (t) => function(e) { + return t(e, getRecord()); +}, Ri = (t, e = {}) => q(() => { + var n; + return (n = t == null ? void 0 : t.filter(Boolean)) == null ? void 0 : n.map(({ widgetByJs: i, widgetByJsSetting: r, ...a }, o) => { + const s = (u) => ({ record: u, column: a }); + let l = []; + return i && l.push([i, r]), l.length > 0 ? (a != null && a.render && l.push([Oi, a.render]), { ...a, onCell: s, render: (u, d) => new ft(l).toRender(u, d, "-") }) : { ...a, onCell: s }; + }); +}, [t, e]), Fi = (t = {}) => q(() => { + var e; + return t.body ?? (t.body = { cell: sn }), (e = t.body).cell ?? (e.cell = sn), t; +}, [t]), Xr = (t) => { + const [e, n] = L({}); + return V(() => { + let i = !1; + return t && I.get(`/api/_/${t}`).then((r) => m.pick(r, ["uuid", "name", "code", "resource", "marginX", "marginY", "cols", "rowHeight", "primaryKey", "columns", "itemOperations", "batchOperations", "isConditionFormLayout", "layout", "tabs", "pageSize", "layoutConfig"])).then((r) => !i && n(r)), () => i = !0; + }, [t]), e; +}, Qr = (t, e = {}) => { + const [n, i] = L({ dataSource: [] }); + return ot(() => { + let r = !1; + return t && I.get(`/api/${t}/${I.encode({ page: 1, ...e })}`).then((a) => !r && i(a)), () => r = !0; + }, [t, e]), n; +}, Nn = (t = [], e = /* @__PURE__ */ new Map(), n = "id", i) => { + const r = X(i ? (a) => m.get(a, n, m.get(a, [i, n])) : (a) => m.get(a, n), [n, i]); + return X((a) => t == null ? void 0 : t.filter((o) => !o.uuid || !e.has(o.uuid) || e.get(o.uuid).some((s) => s == r(a))), [t, e, r]); +}, Vt = (t = [], e = /* @__PURE__ */ new Map(), n = [], i = "id", r) => { + const a = X(r ? (o) => m.get(o, i, m.get(o, [r, i])) : (o) => m.get(o, i), [i, r]); + return q(() => { + if (m.isEmpty(t) || !t.some(({ uuid: s }) => $n.check(s))) return !1; + if (m.isEmpty(e) || m.isEmpty(n)) return !0; + const o = n.map((s) => a(s)); + return t.some(({ uuid: s }) => !s || !e.has(s) || e.get(s).some((l) => o.some((u) => u == l))); + }, [t, n, e, a]); +}, Ai = (t, e, n = "id", i = null) => { + const r = vt(), a = _(!1), o = _(t.dataSource), s = _(t.itemOperationsAccess); + return V(() => (o.current = t.dataSource, s.current = t.itemOperationsAccess, () => a.current = !1), [t.dataSource, t.itemOperationsAccess]), a.current && (t.dataSource = o.current, t.itemOperationsAccess = s.current), [t, (l = 0, u = null) => { + var d, p; + if (a.current = !1, l === 1) return (d = t.onReload) == null ? void 0 : d.call(t); + if (l === 2) { + const f = m.get(u, "__PARENT_ID__", ""), g = m.get(u, n, m.get(u, [i, n], "")), y = m.findIndex(o.current, ["__PARENT_ID__", f]), w = m.findIndex(y > -1 ? m.get(o.current, [y, "children"]) : o.current, [n, g]); + if (w === -1) return (p = t.onReload) == null ? void 0 : p.call(t); + Promise.all([I.get(`/api/${e}/detail/${g}`), I.post(`/api/${e}/list-operations-access`, { ids: g })]).then(([C, k]) => { + const v = m.get(o.current, y > -1 ? [y, "children", w, "children"] : [w, "children"]); + o.current = wn(o.current, y > -1 ? { [y]: { children: { $splice: [[w, 1, { ...C, children: v }]] } } } : { $splice: [[w, 1, { ...C, children: v }]] }); + const $ = new Map(k); + s.current.forEach((T, R) => { + var A; + (A = $.get(R)) != null && A.some((M) => M == g) || s.current.set(R, T.filter((M) => M !== g)); + }), $.forEach((T, R) => { + s.current.has(R) ? s.current.set(R, m.uniq([...s.current.get(R) || [], ...T])) : s.current.set(R, T); + }); + }).then(() => { + a.current = !0, r(); + }); + } + }]; +}, Li = (t, e) => { + const n = vt(), i = _(e), r = _(/* @__PURE__ */ new Map()), a = _([]), o = m.throttle((l) => { + a.current = [], I.list(t, m.pick({ ...i.current, ...l }, ["tab", "page", "pageSize", "condition", "sider", "keyword"])).then(({ keyword: u, condition: d, total: p, tab: f, sider: g, page: y, pageSize: w, operationsAccess: C, dataSource: k }) => { + i.current = { tab: f, condition: d, sider: g, keyword: u, total: p, pageSize: w, page: k != null && k.length ? y : 1 }, a.current = k, r.current = new Map(C), n(); + }); + }, 380, { leading: !1, trailing: !0 }); + st(() => { + a.current = [], t && o(e); + }, [t, e]); + const s = q(() => m.pick(i.current, ["total", "tab", "page", "pageSize", "condition", "sider", "keyword"]), [i.current]); + return Object.assign(s, { onTabChange: (l) => o({ tab: l, page: 1 }), onPageChange: (l, u) => o({ page: l, pageSize: u }), onPageSizeChange: (l) => o({ pageSize: l, page: 1 }), onConditionChange: (l, u) => o({ keyword: u, condition: wn(i.current.condition || {}, { $merge: l || {} }), page: 1 }), onSiderChange: (l) => o({ sider: l, page: 1 }), onKeywordChange: (l) => o({ keyword: l, page: 1 }), itemOperationsAccess: r.current, dataSource: a.current, onReload: o, payload: e == null ? void 0 : e.payload }); +}, ji = ({ listCode: t, className: e, layouts: n = {}, dataSource: i, isPaginate: r, isItemOperations: a, isBatchOperations: o, batchOperations: s, itemOperations: l, itemOperationsAccess: u, resource: d, primaryKey: p, title: f, itemGridLayout: g, $setting: y, tabs: w, isConditionFormLayout: C, isTreeSider: k, treeSiderConfig: v }) => { + const { classNames: $, onClickCallback: T } = le(ie), R = m.pick(y, ["column", "colWidth", "beforeRender", "afterRender", "style"]), A = Nn(l, u, p, d), M = X((D, j, z) => h(Ii, { className: O("ff-data-list-framework-item", $.item), operations: a ? A(j) : [], data: d ? { [d]: j } : j, children: D, onClickCallback: T }), [d, p, a, T, l, u]); + return F("div", { className: O("ff-data-list-framework", e), children: [h(n.sider, { isTreeSider: k, ...v }), F("div", { className: O("ff-data-list-container", $ == null ? void 0 : $.container), children: [h(n.filter, { isConditionFormLayout: C }), h(n.toolbar, { title: f, tabs: w }), h(Yi, { ...R, ...g, primaryKey: p, itemRender: M, dataSource: i }), h(n.footer, { isPaginate: r, isOperations: o, operations: s })] })] }); +}, Ii = ({ className: t, operations: e, children: n, data: i, onClickCallback: r }) => F("div", { className: O("data-list-grid-layout-item", t), children: [h("div", { className: "data-list-grid-layout-item-container", children: n }), !!(e != null && e.length) && h("div", { className: "data-list-grid-layout-item-actions", children: e.map((a) => h("span", { className: "data-list-grid-layout-item-action", children: h(N.Link, { uuid: a.uuid, type: a.type, name: a.name, widget: a.widget, widgetType: a.widgetType, widgetProps: a.widgetProps, widgetSetting: a.widgetSetting, widgetContainerProps: a.widgetContainerSetting, data: i, confirm: a.confirm, onAfterClick: (o) => o !== !1 && (r == null ? void 0 : r(a.isRefresh, i)) }, a.uuid || Ft()) }, (a == null ? void 0 : a.uuid) || Ft())) })] }), Vi = ({ listCode: t, className: e, layouts: n = {}, dataSource: i, columns: r, isItemOperations: a, isBatchOperations: o, batchOperations: s, itemOperations: l, itemOperationsAccess: u, resource: d, primaryKey: p, title: f, tabs: g, isPaginate: y, isTreeSider: w, treeSiderConfig: C, isConditionFormLayout: k, ...v }) => { + const { classNames: $, onClickCallback: T } = le(ie), R = Nn(l, u, p, d), A = Vt(l, u, i, p, d); + return F("div", { className: O("ff-data-table-framework", e), children: [h(n.sider, { isTreeSider: w, ...C }), F("div", { className: O("ff-data-table-container", $ == null ? void 0 : $.container), children: [h(n.filter, { isConditionFormLayout: k }), h(n.toolbar, { title: f, tabs: g }), h(Ui, { ...v, primaryKey: p, className: "ff-data-table-content", columns: r, dataSource: i, operationRender: A ? (M) => { + var D; + return h("div", { className: "ff-data-table-actions", children: (D = R(M)) == null ? void 0 : D.map((j, z) => h(N.Link, { size: "small", uuid: j.uuid, type: j.type, name: j.name, widget: j.widget, widgetType: j.widgetType, widgetProps: j.widgetProps, widgetData: j.widgetData, widgetSetting: j.widgetSetting, widgetContainerProps: j.widgetContainerSetting, data: M, confirm: j.confirm, onAfterClick: (S) => S !== !1 && (T == null ? void 0 : T(j.isRefresh, M)) }, j.uuid || z)) }); + } : null }), h(n.footer, { isPaginate: y, isOperations: o, operations: s })] })] }); +}, _t = (t = [], e, n = null) => { + var i; + return (i = m.sortBy(t, ["y", "x"])) == null ? void 0 : i.map(({ i: r, x: a, y: o, w: s, h: l, field: { boxStyle: u, ...d } = {} }, p) => h("div", { className: "grid-layout-item", style: Tn(a, o, s, l, u), children: h(e, { ...d, basicForm: n }) }, r ?? p)); +}, Tn = (t, e, n, i, r = {}, a = 0) => { + const o = { "--grid-layout-h": `${i}`, "--grid-layout-w": `${n}`, "--grid-layout-x": `${t}`, "--grid-layout-y": `${e}`, "--grid-layout-row-height-offset": "0px" }; + return r != null && r.autoHeight ? o.height = "fit-content" : o["--grid-layout-row"] = `${i}`, r != null && r.alignItems && (o["--grid-layout-box-align-items"] = r.alignItems), r != null && r.justifyContent && (o["--grid-layout-box-justify-content"] = r.justifyContent), o["--grid-layout-box-margin"] = ln(r == null ? void 0 : r.marginTop, r == null ? void 0 : r.marginRight, r == null ? void 0 : r.marginBottom, r == null ? void 0 : r.marginLeft), o["--grid-layout-box-padding"] = ln(r == null ? void 0 : r.paddingTop, r == null ? void 0 : r.paddingRight, r == null ? void 0 : r.paddingBottom, r == null ? void 0 : r.paddingLeft), a && (o.height = `${a}px`), o; +}, ln = (t, e, n, i) => `${t || 0}px ${e || 0}px ${n || 0}px ${i || 0}px`, Zr = (t = "Text", e = "@pkg/ff/grid-layouts") => t != null && t.startsWith("@") || t != null && t.startsWith("blob:") ? t : `${e}/${t}`, On = ({ className: t, isConditionFormLayout: e }) => { + var f, g; + const [n, i] = L({}), { listCode: r, onKeywordChange: a, onConditionChange: o, getBase62params: s, classNames: l } = E.useContext(ie), { keyword: u, condition: d } = (s == null ? void 0 : s()) || {}, [p] = gt.useForm(); + return V(() => { + r && e && I.get(`/api/_/${r}/list-condition-form-layout`).then(({ resource: y, marginX: w, marginY: C, rowHeight: k, cols: v, fields: $ }) => { + i({ resource: y, itemMargin: [w, C], rowHeight: k, cols: v, fields: $ }); + }).catch(() => i({})); + }, [r, e]), V(() => { + p.setFieldsValue({ keyword: u, ...d }); + }, [JSON.stringify([u, d])]), h("div", { className: O("ff-data-list-filter", l.filter, t), children: h(gt, { form: p, layout: "vertical", autoComplete: "off", onFinish: ((f = n.fields) == null ? void 0 : f.length) > 1 ? (y) => o({ [n.resource]: y[n.resource] }, y.keyword) : () => { + }, onValuesChange: (y) => { + m.isEmpty(m.omit(y, ["keyword"])) || p.submit(); + }, children: ((g = n.fields) == null ? void 0 : g.length) > 1 ? h(Yt, { ...n, children: h(Mi, { onReset: () => { + const { keyword: y, condition: w } = s("init") || {}; + p.setFieldsValue({ keyword: y, ...w }); + } }) }) : h("div", { className: "ff-data-list-filter-default-form ff-grid-layout-form", children: h("div", { className: "grid-layout-item", style: Tn(20, 0, 5, 2), children: h(gt.Item, { name: ["keyword"], children: h(oi.Search, { allowClear: !0, enterButton: "搜索", placeholder: "多关键字 | 分割", onSearch: (y) => a(y) }) }) }) }) }) }); +}, Mi = ({ cols: t, fields: e, onReset: n }) => { + const [i, r] = L(!1), a = q(() => e == null ? void 0 : e.toReversed().some((o) => o.y > 1 || o.x + o.w >= t - 5), [t, e]); + return F(gt.Item, { label: " ", style: { "--item-span": 5 }, className: O("ff-data-list-filter-actions", { expanded: i }), children: [h(mt, { onClick: n, children: "重置" }), h(mt, { type: "primary", htmlType: "submit", children: "查询" }), a && h(N.Link, { className: "ff-data-list-filter-expanded-button", widget: () => r((o) => !o), type: "primary", name: i ? "关闭" : "展开", icon: i ? "icon-up" : "icon-down", iconPosition: "end" })] }); +}; +On.reservedFields = [{ x: 0, y: 0, h: 3, w: 5, field: { isVirtual: !0, widgetPrefix: "@pkg/ff/grid-layout-forms", widget: "Input", code: "keyword", label: "关键字", placeholder: "多关键字 | 分割", extras: { prefix: "icon-search" } } }]; +const Di = ({ className: t, operations: e, isOperations: n, isPaginate: i }) => { + const { onPageChange: r, onPageSizeChange: a, onClickCallback: o, getBase62params: s } = E.useContext(ie), { total: l, page: u, pageSize: d } = (s == null ? void 0 : s()) || {}; + return n && !m.isEmpty(e) || i ? F("div", { className: O("ff-data-list-footer", t), children: [h("div", { className: "ff-data-list-actions", children: e == null ? void 0 : e.map((p, f) => h(N, { uuid: p.uuid, type: p.type, name: p.name, widget: p.widget, widgetType: p.widgetType, widgetProps: p.widgetProps, widgetData: p.widgetData, widgetSetting: p.widgetSetting, widgetContainerProps: p.widgetContainerSetting, onAfterClick: (g) => g !== !1 && (o == null ? void 0 : o(p.isRefresh, null)) }, p.uuid || f)) }), i && h(si, { size: "small", total: l, pageSize: d, showSizeChanger: !1, showTotal: (p) => `第 ${u} 页 / 总共 ${p} 条`, onChange: r, onShowSizeChange: a })] }) : null; +}, zi = [{ title: "parent 1", key: "0-0", children: [{ title: "parent 1-0", key: "0-0-0", disabled: !0, children: [{ title: "leaf", key: "0-0-0-0", disableCheckbox: !0 }, { title: "leaf", key: "0-0-0-1" }] }, { title: "parent 1-1", key: "0-0-1", children: [{ title: h("span", { style: { color: "#1677ff" }, children: "sss" }), key: "0-0-1-0" }] }] }], Wi = ({ className: t, width: e = 280, isTreeSider: n }) => { + const { classNames: i } = le(ie); + return n ? h(li.DirectoryTree, { className: O("ff-data-list-sider", i.sider, t), style: { "--sider-width": e }, showLine: !0, showIcon: !1, treeData: zi }) : null; +}, Bi = ({ className: t, title: e, tabs: n }) => { + const { getBase62params: i, onTabChange: r, onReload: a, classNames: o } = le(ie), { tab: s } = (i == null ? void 0 : i()) || {}, [l, u] = mi((n == null ? void 0 : n[0].value) ?? (n == null ? void 0 : n[0].code), { value: s, onChange: r }); + return F("div", { className: O("ff-data-list-toolbar", o.toolbar, t), children: [h("div", { className: "ff-data-list-title", children: e }), h(ci, { className: "ff-data-list-tabs", itemRender: ({ label: d, code: p, value: f }) => h("span", { onClick: () => u(f ?? p), className: O("ff-data-list-tab", { active: (f ?? p) == l }), children: d }), items: n }), F("div", { className: "ff-data-list-actions", children: [h(N.Link, { icon: "icon-reload", widget: () => a() }), h(N.Link, { icon: "icon-setting" })] })] }); +}, Rn = ({ isItemGridLayout: t, theme: e, themeProps: n, onClickCallback: i, onReload: r, listCode: a, total: o = 0, page: s = 0, onPageChange: l, pageSize: u = 30, onPageSizeChange: d, tab: p, onTabChange: f, keyword: g, onKeywordChange: y, condition: w, onConditionChange: C, sider: k, onSiderChange: v, layouts: $, classNames: T = {}, payload: R = {}, ...A }) => { + const [M, D] = L(), j = X((S, K) => { + const W = { tab: p, page: s, pageSize: u, keyword: g, sider: k, condition: w, total: o, payload: R }; + return S && S != "init" ? m.get(W, S, K) : W; + }, [JSON.stringify(w), JSON.stringify(R), p, s, u, g, k, o]), z = q(() => { + let S = { sider: Wi, filter: On, footer: Di, toolbar: Bi }; + $ === !1 ? S = { sider: null, filter: null, footer: null, toolbar: null } : m.isPlainObject($) && (S = Object.assign({}, S, $)); + for (const K in S) if (S[K]) { + if (ti(S[K])) { + const W = S[K]; + S[K] = (Ee) => E.cloneElement(W, Ee); + } + } else S[K] = () => h(E.Fragment, {}); + return S; + }, [$]); + return V(() => { + e ? se.getWidgetComponent(e).then((S) => { + if (!S) throw `${e} not found`; + return S; + }).catch((S) => ({ default: () => `${S}` })).then((S) => D(E.createElement(S.default, { ...A, layouts: z, $setting: n }))) : D(h(t ? ji : Vi, { ...A, layouts: z, $setting: n })); + }, [e, n]), h(ie.Provider, { value: { classNames: T, listCode: a, onClickCallback: i, onReload: r, getBase62params: j, onPageChange: l, onPageSizeChange: d, onTabChange: f, onSiderChange: v, onKeywordChange: y, onConditionChange: C, setPage: l, setPageSize: d, setTab: f, setSider: v, setKeyword: y, setCondition: C }, children: M && E.cloneElement(M, A) }); +}; +Rn.propTypes = { classNames: b.exact({ sider: b.string, filter: b.string, footer: b.string, toolbar: b.string, container: b.string, content: b.string, item: b.string }), layouts: b.oneOfType([b.exact({ sider: b.oneOfType([b.elementType, b.element]), filter: b.oneOfType([b.elementType, b.element]), footer: b.oneOfType([b.elementType, b.element]), toolbar: b.oneOfType([b.elementType, b.element]) }), b.bool]) }; +var Se, we, Le, kt; +const pe = class pe { + constructor() { + x(this, we, null); + x(this, Le, /* @__PURE__ */ new Map()); + x(this, kt, () => { + if (c(this, we)) return c(this, we).port.postMessage({ command: "status", data: [] }); + B(this, we, new SharedWorker(new URL("/ff-worker/res-ws.js", self.location))), c(this, we).port.onmessage = (e) => { + var n, i; + (n = e.data) != null && n.uuid ? c(this, Le).forEach((r, a) => { + var o; + (r == "*" || (o = r == null ? void 0 : r.includes) != null && o.call(r, e.data.uuid)) && a(e.data); + }) : ((i = e.data) == null ? void 0 : i.readyState) == WebSocket.CLOSED && I.get("/api/user-api-token").then(({ token: r, expire_at: a }) => { + c(this, we).port.postMessage({ command: "initWs", data: [`ws${m.trimStart(I.appUrl, "http")}api/user-resource-status-ws?token=${r}`] }); + }); + }, c(this, we).port.postMessage({ command: "status", data: [] }); + }); + P(this, "subscribe", (e, n = []) => (n ? Array.isArray(n) && n.length == 0 ? n = "*" : Array.isArray(n) || (n = [n].flat()) : n = "*", c(this, Le).set(e, n), c(this, Le).size == 1 && c(this, kt).call(this), () => this.unsubscribe(e))); + P(this, "unsubscribe", (e) => c(this, Le).delete(e)); + if (c(pe, Se)) return c(pe, Se); + } +}; +Se = new WeakMap(), we = new WeakMap(), Le = new WeakMap(), kt = new WeakMap(), x(pe, Se, null), P(pe, "getInstance", () => (c(pe, Se) || B(pe, Se, new pe()), c(pe, Se))); +let Mt = pe; +const Fn = Mt.getInstance(), Ht = E.forwardRef(({ listCode: t, base62params: e, className: n, theme: i, themeProps: r, layouts: a, classNames: o }, s) => { + const [{ resource: l, primaryKey: u, batchOperations: d = [], itemOperations: p = [], columns: f = [], themeConfig: g, theme: y, isConditionFormLayout: w = !1, isTreeSider: C, treeSiderConfig: k, isItemGridLayout: v, itemGridLayout: { themeConfig: $, ...T } = {}, title: R, isPaginate: A, tabs: M }, D] = L({ isItemGridLayout: !1, itemGridLayout: {} }), j = Li(t, e), [{ dataSource: z, itemOperationsAccess: S, condition: K, tab: W, keyword: Ee, page: ct, total: dt, pageSize: xt, sider: te, onConditionChange: Bn, onTabChange: Un, onKeywordChange: qn, onPageChange: Kn, onPageSizeChange: _n, onSiderChange: Hn, onReload: Pt, payload: Jn }, Zt] = Ai(j, t, u, l), Yn = Vt(p, S, z, u), Gn = Vt(d); + V(() => { + let re = null; + return t && I.get(`/api/_/${t}`).resp(({ data: ut, res: Qn }) => { + ut != null && ut.isDynamicRefresh && (re = Fn.subscribe(() => Pt(), Qn)), D(ut); + }).catch(() => D({})), () => re == null ? void 0 : re(); + }, [t]), E.useImperativeHandle(s, () => ({ onReload: Pt, onClickCallback: Zt })); + const Xn = { listCode: t, title: R, classNames: o, layouts: a, resource: l, primaryKey: u, theme: i || y, themeProps: r || g, isTreeSider: C, treeSiderConfig: k, isPaginate: A, tabs: M, isItemOperations: Yn, itemOperations: p == null ? void 0 : p.map((re) => m.isEmpty(re == null ? void 0 : re.confirm) ? re : { ...re, confirm: Object.assign({}, re.confirm, { getPopupContainer: () => document.body }) }), isBatchOperations: Gn, batchOperations: d, isItemGridLayout: v, columns: f, itemGridLayout: { ...T, themeProps: $ }, isConditionFormLayout: w, itemOperationsAccess: S, dataSource: z, onConditionChange: Bn, onTabChange: Un, onKeywordChange: qn, onPageChange: Kn, onPageSizeChange: _n, onSiderChange: Hn, condition: K, tab: W, keyword: Ee, page: ct, total: dt, pageSize: xt, sider: te, payload: Jn }; + return h(Rn, { ...Xn, className: O("ff-data-list-helper", n), onReload: Pt, onClickCallback: Zt }); +}), An = (t, e, n = !0) => n !== !0 && n-- <= 0 ? [] : m.isArray(t) && !m.isEmpty(t) ? t.reduce((i, r) => (Reflect.has(r, e) && Reflect.has(r, "children") && i.push(r[e]), Reflect.has(r, "children") && !m.isEmpty(r.children) ? i.concat(An(r.children, e, n)) : i), []) : [], Ui = ({ className: t, primaryKey: e, columns: n = [], dataSource: i = [], operationRender: r, operationWidth: a = 180, components: o = {}, ...s }) => { + const { classNames: l } = le(ie), u = _(null), d = _(null), [p, f] = L([]), [g, y] = L({ width: 0, height: 0 }); + V(() => { + f(An(i, e)); + }, [i, e]), ni(() => { + const k = new ResizeObserver(() => { + var v; + y({ width: ((v = u.current) == null ? void 0 : v.nativeElement.querySelector(".ant-table-body").scrollWidth) || d.current.offsetWidth, height: d.current.offsetHeight }); + }); + return d.current && k.observe(d.current), () => { + d.current && k.unobserve(d.current); + }; + }, []); + const w = Ri(n), C = Fi(o); + return h("div", { ref: d, className: O("ff-data-list-table", l.content, t), children: g.height ? h(di, { bordered: !0, ...s, components: C, ref: u, rowKey: (k) => (k == null ? void 0 : k[e]) ?? Math.random(), columns: w == null ? void 0 : w.concat(r ? [{ title: "操作", align: "center", fixed: "right", width: `${Math.ceil(a / g.width * 100).toFixed(2)}%`, render: (k, v, $) => r(v, $) }] : []), dataSource: i, size: "middle", scroll: { x: "max-content", y: g.height - 50 }, pagination: !1, expandable: { defaultExpandAllRows: !0, expandRowByClick: !0, onExpandedRowsChange: f, expandedRowKeys: p } }) : null }); +}, qi = "RC_FORM_INTERNAL_HOOKS", Ki = (t) => { + const [e, n] = E.useState({ items: [] }); + return V(() => { + t && I.get(`/api/_/${t}`).then(({ uuid: i, code: r, name: a, resource: o, primaryKey: s, marginX: l, marginY: u, cols: d, rowHeight: p, fields: f, theme: g, themeSetting: y, groups: w }) => ({ uuid: i, code: r, name: a, resource: o, primaryKey: s, marginX: l, marginY: u, cols: d, rowHeight: p, theme: g, themeProps: y, groups: w, items: f })).then(n); + }, [t]), e; +}, _i = (t, { initialValue: e, initialValueLanguage: n, convertJs: i, convertJsSetting: r, type: a = "string" }, o = null) => { + const s = _(!1), l = le(yn), [u, d] = L(), [p, f] = L(n != "javascript" && t ? l.getFieldValue(t) : void 0), { registerWatch: g } = l.getInternalHooks(qi) || {}; + return V(() => g == null ? void 0 : g((y, w, C) => { + if (!s.current) return; + const k = m.get(w, t); + m.isEqual(k, p) || f(oe(k, a)); + }), [p]), V(() => { + n == "javascript" && e ? Re.exec(e, {}, { getFieldValueForBasicForm: (y) => o ? o.getFieldValue(y) : l.getFieldValue(y), getFieldValue: (y) => l.getFieldValue(y) }).then((y) => f(oe(y, a))).catch((y) => notification.error({ message: `布局数据错误: ${JSON.stringify(y)}` })).finally(() => s.current = !0) : (e && f(oe(e ?? l.getFieldValue(t), a)), s.current = !0); + }, [e, n]), ot(() => { + s.current && i && new ft([i, r]).toValue(p, l.getFieldsValue(!0)).then(d).catch((y) => { + d(y), console.error("布局数据转换错误: ", y, i); + }); + }, [p, i, r]), [u ?? p, p]; +}, ea = (t, e, n = null) => q(() => _t(t, e, n), [t]), Ln = (t, e, n = {}, i = {}, r = {}, a = null) => { + const o = le(yn), s = vt(), l = _(!0), u = _([]), [d, p] = L(e), [f, g] = L(), y = ne.useWatch((w) => JSON.stringify(m.pick(w, u.current)), o) || "{}"; + return st(() => { + t && Re.exec(t, n, { ...i, getFieldValueForBasicForm: (w) => r ? r.getFieldValue(w) : null, getFieldValue: m.wrap(o.getFieldValue, (w, C) => (u.current.some((k) => m.isEqual(k, C)) || (u.current.push(C), s()), w == null ? void 0 : w(C))), isFieldTouched: o.isFieldTouched, isFieldsTouched: o.isFieldsTouched }).then((w) => { + l.current && (p(w), g(null)); + }).catch((w) => { + l.current && (p(e), g(w)); + }); + }, [t, y, o, n, i]), V(() => () => l.current = !1, []), t ? [a ? oe(d, a) : d, f] : [a ? oe(e, a) : e, null]; +}, Hi = ({ widget: t, widgetPrefix: e = "@pkg/ff/grid-layouts", basicForm: n, ...i }) => { + const r = t != null && t.startsWith("@") || t != null && t.startsWith("blob:") ? t : `${e}/${t}`, [a, o] = L(); + return V(() => { + r && se.getWidgetComponent(r).then(({ defaultProps: s = {}, default: l }) => ({ default: Ji(l, s, n) })).catch((s) => ({ default: () => `${s}` })).then((s) => o(E.createElement(s.default, i))); + }, [r]), a; +}, Ji = (t, e = {}, n = null) => (i) => { + const { code: r, label: a, extras: o, isVirtual: s, initialValue: l, initialValueLanguage: u, convertJs: d, convertJsSetting: p, value: f, ...g } = m.merge({}, e, i), [y, w] = _i(s ? null : r, { initialValue: l, initialValueLanguage: u, convertJs: d, convertJsSetting: p, type: (g == null ? void 0 : g.type) || "string" }, n), C = q(() => { + const $ = Object.keys((e == null ? void 0 : e.extras) || {}); + return m.over([m.partialRight(m.pick, $), m.partialRight(m.omit, $)]); + }, [e == null ? void 0 : e.extras]), [k, v] = C(g); + return h(t, { ...v, value: y, rawValue: w, $setting: Object.assign({}, o, k) }); +}, jn = ({ theme: t, basicForm: e, items: n = [{ key: "default", label: "默认" }], fields: i = [], itemRender: r, chunks: a = [], children: o, $setting: s = {}, ...l }) => { + const [u, d] = L(); + V(() => { + t ? se.getWidgetComponent(t).then((f) => { + if (!(f != null && f.default)) throw "not found"; + return f; + }).catch((f) => ({ default: () => `${t} ${f}` })).then((f) => d(E.createElement(f.default, {}))) : d(null); + }, [t]); + const p = q(() => n == null ? void 0 : n.map((f) => ({ ...f, children: r(f, i == null ? void 0 : i.filter((g) => !(g != null && g.group) && f.key == "default" || g.group == f.key), f.key == "default" ? o : null) })).concat(a), [n, o, a]); + return u && E.cloneElement(u, { items: p, basicForm: e, $setting: { ...s, ...l } }); +}, In = ({ name: t, form: e = null, basicForm: n = null, style: i = {}, className: r, cols: a = 12, rowHeight: o = 21, containerPadding: s = [0, 0], itemMargin: l = [4, 0], formProps: u = {}, formFields: d = [], fields: p = [], data: f, theme: g, themeProps: y = {}, groups: w = [{ key: "default", label: "默认" }], children: C, ...k }) => { + const [v] = ne.useForm(e), $ = q(() => [{ name: "__PROPS__", value: u }].concat(d), [u, d]); + ot(() => (v.setFieldsValue(f), () => v.resetFields()), [f]); + const T = (R, A, M) => { + const D = _t(A, Hi, n); + return F("div", { className: O("ff-grid-layout", r), style: { ...i, "--grid-layout-item-margin-y": `${(l == null ? void 0 : l[0]) || 0}px`, "--grid-layout-item-margin-x": `${(l == null ? void 0 : l[1]) || 0}px`, "--grid-layout-container-padding-y": `${(s == null ? void 0 : s[0]) || 0}px`, "--grid-layout-container-padding-x": `${(s == null ? void 0 : s[1]) || 0}px`, "--grid-layout-cols": a, "--grid-layout-row-height": `${o}px` }, children: [D, M && E.cloneElement(M, { cols: a, rowHeight: o, itemMargin: l, containerPadding: s, fields: A, basicForm: n })] }); + }; + return h(ne, { ...k, fields: $, form: v, component: !1, children: g ? h(jn, { ...y, items: w, theme: g, itemRender: T, fields: p, children: C, basicForm: n }) : T(0, p, C) }); +}, ta = /* @__PURE__ */ ((t) => function({ code: e, data: n, ...i }) { + const { uuid: r, resource: a, items: o, hides: s, rowHeight: l, marginX: u, marginY: d, cols: p, theme: f, themeProps: g, groups: y } = Ki(e) || {}, w = q(() => [{ name: "__RESOURCE__", value: a }, { name: "__LAYOUT_KEY__", value: e }, { name: "__LAYOUT_UUID__", value: r }], [e, r, a]); + return a && h(t, { name: e, theme: f, themeProps: g, groups: y, ...i, fields: o, formFields: w, rowHeight: l, cols: p, itemMargin: [u, d], data: a ? { [a]: n } : n }); +})(In), Yi = ({ column: t = 0, colWidth: e = 0, cols: n, rowHeight: i, itemMargin: r, fields: a, primaryKey: o, dataSource: s, itemClassName: l, beforeRender: u = null, afterRender: d = null, itemRender: p = (v, $, T) => v, empty: f = h(ui, { description: null }), className: g, style: y = {}, theme: w, themeProps: C = {}, groups: k = [{ key: "default", label: "默认" }] }) => { + const { classNames: v } = le(ie), $ = q(() => h(In, { groups: k, theme: w, themeProps: C, cols: n, rowHeight: i, itemMargin: r, fields: a, className: l }), [a, n, i, r, k, w, C]), T = m.isEmpty(s); + return F("div", { className: O("ff-data-list-content", v.content, g), style: Object.assign({}, y, t && { "--col-num": t }, e && { "--col-width": e }), children: [u == null ? void 0 : u(s), T ? f : s.map((R, A) => { + const M = p(E.cloneElement($, { data: R }), R, A); + return E.cloneElement(M, { key: `${(R == null ? void 0 : R[o]) ?? A}-${xi(R)}` }); + }), d == null ? void 0 : d(s)] }); +}, Gi = ({ component: t, $props: e }) => { + const { base62params: n } = at(e, {}); + return h(G, { children: h(Ht, { listCode: t, base62params: I.decode(n) }) }); +}, na = () => h(Vn, {}), Vn = () => "Empty", Xi = ({ component: t, $setting: e, $props: n }) => { + const [i, r] = L(); + V(() => { + if (!t) return r(h(Vn, { description: null })); + se.getWidgetComponent(t).catch((o) => ({ default: () => `${o}` })).then((o) => E.createElement(o.default, { $setting: e })).then(r); + }, [t]); + const a = at(n, {}); + return i ? E.cloneElement(i, a) : null; +}, ia = () => "NotFoundPage"; +var xe, ae, Pe, Ne, Xe, Qe; +const ge = class ge { + constructor() { + x(this, ae, /* @__PURE__ */ new Map()); + x(this, Pe, {}); + x(this, Ne, null); + P(this, "init", (e, n) => { + B(this, ae, e), B(this, Pe, n); + }); + P(this, "get", (e) => (c(this, ae).has(e) || (e = Array.from(c(this, ae).keys()).find((n) => c(this, ae).get(n).uri === e)), c(this, ae).get(e) || {})); + P(this, "redirect", (e, n, i = {}) => { + const { uri: r, type: a, widgetProps: o } = this.get(e) || {}, { router: s, query: l, ...u } = n || {}, d = Object.assign({}, u, s), p = Object.assign({}, u, l); + a == "list" && (d.base62params = I.encode(d != null && d.base62params ? d.base62params : d)); + let f = fi(r || e, d); + const g = new URLSearchParams(); + for (const y in o || {}) (o == null ? void 0 : o.type) == "query" && Object.has(p, y) && g.append(y, JSON.stringify(p[y])); + return g.size > 0 && (f = `${f}?${g.toString()}`), i != null && i.isOpenWindow ? window.open(f) : c(this, Ne).navigate(f, { replace: !!(i != null && i.isReplaceRouteHistory) }); + }); + P(this, "getMenus", (e) => { + var n; + return ((n = c(this, Pe)) == null ? void 0 : n[e]) || []; + }); + P(this, "findMenuPathByUuid", (e) => { + let n = []; + for (const i in c(this, Pe)) if (n = c(this, Xe).call(this, c(this, Pe)[i], e, [i]), n.length > 1) return n; + return n; + }); + P(this, "getMenusByRouteUuid", (e) => c(this, Qe).call(this, e, Object.values(c(this, Pe)).flat())); + x(this, Xe, (e, n, i = []) => { + if (m.isEmpty(e)) return i; + for (const { uuid: r, children: a } of e) { + if (r == n) return i.concat(r); + if (!m.isEmpty(a)) return i.concat(r, c(this, Xe).call(this, a, n)); + } + return i; + }); + x(this, Qe, (e, n) => { + var r; + let i = []; + for (const a of n) a.widgetType == "redirect" && (a.uuid == e || a.widget == e ? i.push(a) : (r = a.children) != null && r.length && (i = i.concat(c(this, Qe).call(this, e, a.children)))); + return i; + }); + P(this, "getCurrentMenu", () => { + const { uuid: e } = this.getCurrentRoute() || {}; + if (!e) return; + const n = this.getMenusByRouteUuid(e); + return m.isEmpty(n) ? void 0 : n[0]; + }); + P(this, "getCurrentRoute", (e = 0) => { + var i; + const n = (i = c(this, Ne).state.matches[c(this, Ne).state.matches.length - 1 - e]) == null ? void 0 : i.route; + if (!n) return null; + for (let [r, a] of c(this, ae)) if (a.uri === n.path) return a; + return null; + }); + P(this, "getPageParams", (e) => { + var r, a, o; + let n = "", i = {}; + if (bn()) i = yi(), n = (r = wi()) == null ? void 0 : r.search; + else { + const { location: s = {}, matches: l = [] } = ((a = c(this, Ne)) == null ? void 0 : a.state) || {}; + i = ((o = l[l.length - 1]) == null ? void 0 : o.params) || {}, n = s.search; + } + return n && new URLSearchParams(n).forEach((s, l) => { + i[l] = s; + }), e ? m.get(i, e) : i; + }); + P(this, "createBrowserRouter", (e = {}) => { + if (c(this, ae).size == 0) return null; + const n = Ie.get("Common.WEBSITE_DEFAULT_THEME", "@pkg/ff/frameworks/DefaultTheme"), i = Ie.get(se.checkUserToken() ? "Common.WEBSITE_LOGIN_REDIRECT" : "Common.WEBSITE_DEFAULT", "/index"), r = { [n]: 0 }, a = (s, l) => () => Promise.all([se.getWidgetComponent(s), at(l)]).then(([u, d]) => [u.default || function() { + return `${s}`; + }, d]).then(([u, d]) => ({ Component: () => E.createElement(kn, {}, E.createElement(u, { $setting: d })) })), o = Array.from(c(this, ae).values()).reduce((s, { uuid: l, uri: u, name: d, type: p, component: f, widgetSetting: g, widgetProps: y, isLogin: w, isLayout: C, extra: k }) => { + let v = {}, $ = 0; + switch (p) { + case "list": + v.element = E.createElement(Gi, { component: f, $props: y }); + break; + case "fsdpf-component": + v.element = E.createElement(Xi, { key: f, component: f, $setting: g, $props: y }); + } + const T = (k == null ? void 0 : k.theme) ?? (k == null ? void 0 : k.layout); + if (T) { + const R = (k == null ? void 0 : k.themeProps) ?? (k == null ? void 0 : k.layoutProps); + if (!r[T]) return r[T] = s.length, [...s, { path: "/", lazy: a(T, R), children: [{ path: u, ...v }] }]; + $ = r[T]; + } + return C && $ > -1 ? (s[$].children.push({ path: u, ...v }), s) : [...s, { path: u, ...v }]; + }, [{ path: "/", lazy: a(n, {}), children: [] }]); + return o.push({ index: !0, element: E.createElement(Qi, { to: i, replace: !0 }) }), B(this, Ne, bi(o, e)); + }); + if (c(ge, xe)) return c(ge, xe); + } +}; +xe = new WeakMap(), ae = new WeakMap(), Pe = new WeakMap(), Ne = new WeakMap(), Xe = new WeakMap(), Qe = new WeakMap(), x(ge, xe, null), P(ge, "getInstance", () => (c(ge, xe) || B(ge, xe, new ge()), c(ge, xe))); +let Dt = ge; +const Qi = ({ to: t, replace: e }) => bn() ? E.createElement(Ci, { to: t, replace: e }) : (window.document.location = t, "redirect"), ke = Dt.getInstance(), Ve = new Worker(new URL("/ff-worker/index.js", self.location)), cn = { getConfigure: (t) => Ie.get(t), route: { redirect: (...t) => ke.redirect(...t), getPageParams: (...t) => ke.getPageParams(...t), getCurrentRoute: () => ke.getCurrentRoute() }, popup: { notification: (...t) => ee.notification(...t), success: (...t) => ee.success(...t), error: (...t) => ee.error(...t), form: (...t) => ee.form(...t), modal: (...t) => ee.modal(...t), confirm: (...t) => ee.confirm(...t) } }; +var Et, We, Te; +const U = class U { + constructor() { + P(this, "exec", (e, n = {}, i = {}, r = "") => new Promise((a, o) => { + if (!/^(?!\s*(\/\/|\/\*|\*)).*?\S+/m.test(e)) return a(); + const s = nn(U, Et)._++; + c(U, We).set(s, i), U.mQueue.set(s, [a, o]), Ve.postMessage({ id: s, session: r, category: "eval", method: e, args: n }); + })); + P(this, "clear", (e) => Ve.postMessage({ session: e, category: "clear" })); + if (c(U, Te)) return c(U, Te); + Promise.resolve().then(() => vr).then((e) => { + cn.http = e.http; + }), Ve.addEventListener("message", ({ data: { id: e, task_id: n, method: i, args: r, category: a, data: o, error: s, session: l } }) => { + if (a === "eval" && U.mQueue.has(e)) s !== null ? U.mQueue.get(e)[1](s) : U.mQueue.get(e)[0](o), c(U, We).delete(e), U.mQueue.delete(e); + else if (a === "util") try { + const u = m.get(cn, i.split("/")) || m.get(c(U, We).get(n), i.split("/")); + if (!m.isFunction(u)) throw `${i} not found`; + Promise.resolve(Reflect.apply(u, void 0, r)).then((d) => { + Ve.postMessage({ id: e, task_id: n, category: a, method: i, args: r, session: l, data: d, error: null }); + }).catch((d) => { + Ve.postMessage({ id: e, task_id: n, category: a, method: i, args: r, session: l, data: null, error: d }); + }); + } catch (u) { + Ve.postMessage({ id: e, task_id: n, category: a, method: i, args: r, session: l, data: null, error: u }); + } + }, !1); + } +}; +Et = new WeakMap(), We = new WeakMap(), Te = new WeakMap(), P(U, "mQueue", /* @__PURE__ */ new Map()), x(U, Et, 0), x(U, We, /* @__PURE__ */ new Map()), x(U, Te, null), P(U, "getInstance", () => (c(U, Te) || B(U, Te, new U()), c(U, Te))); +let zt = U; +const Re = zt.getInstance(), vt = () => { + const t = _(!0), [, e] = E.useReducer((n) => n + 1, 0); + return V(() => () => t.current = !1, []), () => t.current && e(); +}, ra = (t) => { + const e = _(); + return V(() => { + e.current = t; + }, [t]), e.current; +}, aa = (t) => { + const [e, n] = L(t), i = _(null), r = X((a, o) => { + i.current = o, n(a); + }, []); + return V(() => { + i.current && (i.current(e), i.current = null); + }, [e]), [e, r]; +}, ot = (t = (i) => { +}, e, n = m.isEqual) => { + const i = E.useRef(); + n(e, i.current) || (i.current = m.cloneDeep(e)), E.useEffect(t, [i.current]); +}, st = ot, Mn = (t, e = "string") => { + var n; + if (!Array.isArray(t)) return t; + for (let i = 0; i < t.length; i++) t[i].value = oe((n = t[i]) == null ? void 0 : n.value, e), t[i] && Reflect.has(t[i], "children") && (t[i].children = Mn(t[i].children, e)); + return t; +}, oa = (t, e = "json", n = "string", i, r = null) => { + const [a] = ne.useForm(i), [o, s] = L([{ label: "无", value: "", disabled: !0 }]), l = _([]), u = ne.useWatch((d) => l.current.length === 0 ? null : m.pick(d, l.current), a) || null; + return V(() => { + Array.isArray(t) ? s(t) : e === "javascript" && t ? Re.exec(t, {}, { getFieldValue: (d) => (l.current.includes(d) || l.current.push(d), a.getFieldValue(d)), getFieldValueForBasicForm: (d) => (l.current.includes(d) || l.current.push(d), r ? r.getFieldValue(d) : a.getFieldValue(d)) }).then((d) => { + s(oe(d, "array")); + }).catch((d) => console.error("useOptions", d)) : t && s(oe(t, "array")); + }, [t, e, u]), Mn(o, n); +}, sa = (t) => { + const [e, n] = L(), i = { type: "GET" }; + if (typeof t == "string" ? i.url = t : m.isPlainObject(t) && Object.assign(i, t), !(i != null && i.url)) throw "url is required"; + const r = (a) => I.request(i, !1).resp((o) => (console.log("useSubscribeRequest", a), n(o), o)); + return ot(() => { + let a = null; + return r().then((o) => { + a = Fn.subscribe(m.throttle(r, 180, { leading: !1, trailing: !0 }), o.res); + }), () => a == null ? void 0 : a(); + }, i), e; +}, Zi = (t) => { + const [e, n] = E.useState({ items: [], hides: [] }); + return E.useEffect(() => { + t && I.get(`/api/_/${t}`).then(({ pk: i, uuid: r, code: a, resource: o, align: s, cols: l, rowHeight: u, marginX: d, marginY: p, listenChangeFields: f, listenChangeFieldsFunc: g, fields: y, theme: w, themeSetting: C, groups: k }) => ({ pk: i, uuid: r, code: a, resource: o, align: s, cols: l, rowHeight: u, marginX: d, marginY: p, theme: w, themeProps: C, groups: k, listenChangeFields: f, listenChangeFieldsFunc: g, ...y.reduce((v, $) => { + var T; + return (T = $ == null ? void 0 : $.field) != null && T.hidden ? v.hides.push($ == null ? void 0 : $.field) : v.items.push($), v; + }, { items: [], hides: [] }) })).then(n); + }, [t]), e; +}, er = ({ max: t = 0, min: e = 0, type: n = "", message: i, pattern: r, required: a = !1, validator: o } = {}, s, l) => { + const [u, d] = L([]); + return V(() => { + const p = []; + if (a) { + let f = l; + switch (l) { + case "number": + case "string": + case "array": + break; + case "bool": + f = "boolean"; + break; + case "json": + f = "object"; + } + p.push({ type: f, required: !0, whitespace: !0, message: "该项必填" }); + } + switch (n) { + case "string": + p.push({ type: n, max: t, min: e, message: i || (e && t ? `字符必须在 ${e} ~ ${t} 之间` : `${t ? "最多能有" : "最少要有"} ${e || t} 个字符`) }); + break; + case "pattern": + p.push({ type: "string", pattern: r, message: i }); + break; + case "validator": + o && p.push(({ getFieldValue: f }) => ({ validator: async (g, y) => { + const w = await Re.exec(o, { value: y, fieldName: s }, { getFieldValue: f }); + return m.isString(w) && w ? Promise.reject(w) : m.isBoolean(w) && !w ? Promise.reject(i) : Promise.resolve(); + } })); + } + d(p); + }, [t, e, n, i, r, a, o]), u; +}, tr = (t, e, n) => { + const [i, r] = L(null); + return V(() => { + const { initDataUri: a = `/api/${t}`, initDataMethod: o = "GET" } = n || {}; + e && I.request({ method: o, url: m.trimEnd(`${a}/${e}`, "/") }).then((s) => { + r(s); + }); + }, [t, e, n]), i; +}, nr = (t, e, n) => X((i, r = { serialize: (a) => a, onSuccess: () => { +}, onFail: (a) => (a == null ? void 0 : a.errorFields) && ee.error("请先完善表单信息", { duration: 2e3 }) }) => { + const a = i.getFieldValue("__RESOURCE__"), { submitDataUri: o = `/api/${t}`, submitDataMethod: s = "POST" } = n || {}; + return i.validateFields().then((l) => a ? m.pick(l, [a]) : l).then(r.serialize).then((l) => I.request({ method: s, url: m.trimEnd(`${o}/${e || ""}`, "/"), data: l }).msg(r.onSuccess)).catch(r.onFail); +}, [t, e, n]), ir = (t, e, n, i) => { + const r = tr(e, n, i); + V(() => { + r ? t.setFieldsValue(r) : t.resetFields(); + }, [t, r]); + const a = nr(e, n, i); + return m.partial(a, t); +}, rr = (t, e, n = [], i = {}) => { + const r = _({}), a = _(), o = m.debounce(vt(), 180), s = ["disabled", "required"], l = (f, g) => { + s.includes(f) && (r.current[f] = g), o(); + }, u = q(() => ({ setDisabled: (f) => l("disabled", f), setRequired: (f) => l("required", f), getDisabled: () => r.current.disabled, getRequired: () => r.current.required }), [e]), [d, p] = Ln(e, -1, {}, u, i); + if (!p && a.current != d && (d >= 0 || !m.isEmpty(n == null ? void 0 : n[d]))) { + a.current = d; + const { widget: f, widgetPrefix: g, props: y } = n == null ? void 0 : n[d]; + t = vn(f, g), r.current = m.merge(y, m.pick(r.current, s)); + } + return [t, r.current]; +}, dn = (t) => t === void 0 || t === !1 ? "" : (Array.isArray(t) ? t : [t]).join("_"), la = ({ value: t, onChange: e }, n = null) => { + const i = _(), [r] = ne.useForm(n), a = _({}); + return st(() => { + m.isEqual(i.current, t) || r.setFieldsValue(t); + }, [t]), V(() => () => r.resetFields(), []), [q(() => r.__INTERNAL__ ? r : { ...r, __INTERNAL__: { itemRef: (o) => (s) => { + const l = dn(o); + s ? a.current[l] = s : delete a.current[l]; + } }, scrollToField: (o, s = {}) => { + console.warn("useMergedFormValuesChange scrollToField not work, unreferenced antd form"); + }, focusField: (o) => { + console.warn("useMergedFormValuesChange focusField not work, unreferenced antd form"); + }, getFieldInstance: (o) => { + const s = dn(o); + return a.current[s]; + } }, [r]), (o, s) => { + i.current = s, e == null || e(s); + }]; +}, Jt = ({ widget: t = "Input", widgetPrefix: e = "@pkg/ff/grid-layout-forms", widgetDecorator: n, subWidgets: i = [], basicForm: r, ...a }) => { + const o = vn(t, e), [s, l] = rr(o, n, i, r), [u, d] = L(); + return V(() => { + s && se.getWidgetComponent(s).then(({ defaultProps: p = {}, default: f }) => ({ default: ar(f, p, r) })).catch((p) => ({ default: () => `${p}` })).then((p) => d(E.createElement(p.default, a))); + }, [s]), u && E.cloneElement(u, { ...a, ...l }); +}, ar = (t, e = {}, n = null) => (i) => { + const { type: r, code: a, label: o, noStyle: s, placeholder: l, required: u = !1, extras: d, validators: p, help: f, isVirtual: g, $isReserved: y, initialValue: w, initialValueLanguage: C, ...k } = m.omit(m.merge({}, e, i), ["convertJs", "convertJsSetting", "widget", "widgetPerfix", "widgetDecorator", "subWidgets", "boxStyle"]), v = er(Object.assign({}, p, u ? { required: !0 } : {}), a, r), $ = q(() => { + const D = Object.keys((e == null ? void 0 : e.extras) || {}); + return m.over([m.partialRight(m.pick, D), m.partialRight(m.omit, D)]); + }, [e == null ? void 0 : e.extras]), [T, R] = $(k), A = { label: o, noStyle: s, colon: !1, layout: "vertical" }, M = X((D) => D == null ? void 0 : oe(D, r), [r]); + return h(qt, { name: a, rules: v, initialValue: M(w), normalize: M, children: (D, j, z) => { + var S; + return h(t, { type: r, rcform: z, basicForm: n, itemProps: { validateStatus: j.errors.length > 0 ? "error" : "success", tooltip: f || null, help: j.errors.length > 0 ? j.errors.join("、") : null, required: ((S = v == null ? void 0 : v[0]) == null ? void 0 : S.required) || !1, ...A }, fieldProps: { placeholder: l, ...R, ...D }, $setting: Object.assign({}, d, T) }); + } }); +}, Yt = ({ name: t, form: e = null, basicForm: n = null, style: i = {}, className: r, cols: a = 24, rowHeight: o = 16, itemMargin: s = [8, 16], containerPadding: l = [0, 0], fields: u = [], hides: d = [], primaryKey: p = 0, formProps: f = {}, formFields: g = [], listenChangeFields: y, listenChangeFieldsFunc: w, onValuesChange: C, theme: k, themeProps: v = {}, groups: $ = [{ key: "default", label: "默认" }], children: T, ...R }) => { + const [A] = ne.useForm(e), M = X((z, S) => { + C == null || C(z, S), w && Array.isArray(y) && Re.exec(w, { changedValues: z, allValues: S }, { getFieldValue: A.getFieldValue, setFieldValue: A.setFieldValue, setFieldsValue: A.setFieldsValue, isFieldTouched: A.isFieldTouched, isFieldsTouched: A.isFieldsTouched }).catch((K) => console.error("onFormValuesChange", t, K)); + }, [t, A, C, y, w]), D = q(() => [{ name: "__PROPS__", value: f }, { name: "__PRIMARY_KEY__", value: p }].concat(g), [p, f, g]), j = (z, S, K) => { + const W = _t(S, Jt, n); + return F("div", { className: O("ff-grid-layout-form", r), style: { ...i, "--grid-layout-item-margin-x": `${(s == null ? void 0 : s[0]) ?? 8}px`, "--grid-layout-item-margin-y": `${(s == null ? void 0 : s[1]) ?? 16}px`, "--grid-layout-container-padding-y": `${(l == null ? void 0 : l[0]) || 0}px`, "--grid-layout-container-padding-x": `${(l == null ? void 0 : l[1]) || 0}px`, "--grid-layout-cols": a, "--grid-layout-row-height": `${o}px` }, children: [W, K && E.cloneElement(K, { cols: a, rowHeight: o, itemMargin: s, containerPadding: l, fields: S, basicForm: n })] }); + }; + return F(ne, { ...R, form: A, fields: D, onValuesChange: M, children: [k ? h(jn, { ...v, items: $, theme: k, itemRender: j, fields: u, children: T, basicForm: n }) : j(0, u, T), d == null ? void 0 : d.map((z) => { + var S; + return h(qt, { name: z.code, children: h(or, { form: A, basicForm: n, name: z.code, type: z.type, initialValue: z.initialValue, initialValueLanguage: (S = z.extras) == null ? void 0 : S.initialValueLanguage }) }, JSON.stringify(z.code)); + })] }); +}, or = ({ type: t, initialValue: e, initialValueLanguage: n, onChange: i, basicForm: r }) => { + const [a, o] = Ln(n == "javascript" && e, n == "javascript" ? void 0 : e, {}, {}, r); + return V(() => { + n == "javascript" ? i(oe(a, t)) : e && i(oe(e, t)); + }, [t, e, a]), null; +}; +Yt.propTypes = { fields: b.array, hides: b.array }; +const sr = /* @__PURE__ */ ((t) => ({ code: e, isPreview: n = !1, ...i }) => { + const { align: r, autoComplete: a, resource: o, items: s, hides: l, rowHeight: u, marginX: d, marginY: p, cols: f, listenChangeFields: g, listenChangeFieldsFunc: y, pk: w, uuid: C, theme: k, themeProps: v, groups: $ } = Zi(e), T = q(() => [{ name: "__PK__", value: w }, { name: "__RESOURCE__", value: o }, { name: "__LAYOUT_KEY__", value: e }, { name: "__LAYOUT_UUID__", value: C }], [w, e, C, o]); + return h(t, { name: e, autoComplete: a, theme: k, themeProps: v, groups: $, ...i, formFields: T, listenChangeFields: g, listenChangeFieldsFunc: y, fields: s, hides: l, cols: f, rowHeight: u, itemMargin: [d, p] }); +})(Yt), Dn = ({ $setting: t, $close: e, extras: n, code: i, primaryKey: r, ...a }) => { + const [o] = ne.useForm(), s = ir(o, i, r, t); + return h(G, { actions: F(E.Fragment, { children: [h(N, { name: (t == null ? void 0 : t.okText) || "保存", type: "primary", widget: () => s({ onSuccess: e }) }), h(N, { name: (t == null ? void 0 : t.cancelText) || "取消", widget: () => e(!1) })] }), extras: n, children: h(sr, { form: o, code: i, primaryKey: r, ...a }) }); +}, un = /* @__PURE__ */ new Set(), Wt = (t = [], e = 0) => { + const n = t[e]; + if (n.length && !un.has(n)) { + const i = document.createElement("script"); + i.setAttribute("src", n), i.setAttribute("data-namespace", n), t.length > e + 1 && (i.onload = () => { + Wt(t, e + 1); + }, i.onerror = () => { + Wt(t, e + 1); + }), un.add(n), document.body.appendChild(i); + } +}, yt = ({ className: t, type: e, style: n = {}, ...i }) => h("span", { role: "img", className: O("ff-iconfont", t), style: n, ...i, children: h("svg", { style: { width: "1em", height: "1em", fill: "currentColor", overflow: "hidden" }, viewBox: "0 0 1024 1024", children: h("use", { xlinkHref: `#${e}` }) }) }); +yt.propTypes = { className: b.string, type: b.string.isRequired, style: b.object }, yt.init = Wt; +const lr = (t, e, n, i) => ke.redirect(n, e, i), cr = (t, e = {}, n, i = {}) => { + var a; + const r = (a = i.router) == null ? void 0 : a.reduce((o, [s, l, u]) => { + const d = m.get(e, ["router", s]); + if (!d && d !== 0 && l) throw `请传入 ${u}`; + return `${o}/${d}`; + }, `/api/${n}`); + return I.del(r, e.param).msg(); +}, pn = (t, e, n, { status: { loading: i, disabled: r }, setStatus: a }) => { + const o = { loading: (s) => s === void 0 ? i : a((l) => ({ ...l, loading: s })), disabled: (s) => s === void 0 ? r : a((l) => ({ ...l, disabled: s })) }; + return m.isFunction(n) ? n.call(null, { ...e, ...o }) : m.isString(n) && n ? Re.exec(n, e, o) : null; +}, gn = (t, e, n, i, r) => m.isString(n) && n ? se.getWidgetComponent(n).then(({ default: a }) => ee.modal(a, { ...e, $setting: i }, r != null && r.title ? { ...r, title: m.template(r.title)(t) } : r)).catch((a) => { + ee.error(n, { content: a.toString() }); +}) : ee.modal(n, { ...e, $setting: i }, r != null && r.title ? { ...r, title: m.template(r.title)(t) } : r), dr = (t, e, n, i, r) => ee.modal(Dn, { ...e, $setting: i, code: n }, r != null && r.title ? { ...r, title: m.template(r.title)(t) } : r), ur = (t, e, n, i, r) => ee.modal(Ht, { base62params: e, $setting: i, listCode: n }, r != null && r.title ? { ...r, title: m.template(r.title)(t) } : r), pr = ({ widget: t, widgetType: e, widgetData: n, widgetProps: i, widgetSetting: r, widgetContainerProps: a }, { onAfterClick: o, onBeforeClick: s } = {}) => { + const l = le(ie), [u, d] = L({ leading: !0, trailing: !1 }), p = q(() => { + switch (e) { + case "redirect": + return m.partialRight(lr, t, r); + case "func": + return m.partialRight(pn, (r == null ? void 0 : r.code) ?? t, { status: u, setStatus: d }); + case "component": + case "fsdpf-component": + return m.partialRight(gn, t, r, a); + case "grid-layout-form": + return m.partialRight(dr, t, r, a); + case "data-list": + return m.partialRight(ur, t, r, a); + case "destroy": + return m.partialRight(cr, t, r, a); + default: + if (Xt(t) || E.isValidElement(t)) return m.partialRight(gn, t, r, a); + if (m.isFunction(t)) return m.partialRight(pn, (r == null ? void 0 : r.code) || t, { status: u, setStatus: d }); + } + return (...f) => console.error("useButton unknown widgetType", e, ...f); + }, [t, e]); + return [m.debounce((f) => (s == null || s(f), Promise.resolve(at(i, f, { list: l })).then((g) => p(f, { ...n, ...g })).then((g) => o == null ? void 0 : o(g)).catch(console.error)), 300, { leading: !0, trailing: !1 }), u]; +}, zn = ({ type: t, name: e, className: n, icon: i, iconPosition: r, size: a }, o = "default") => q(() => { + const s = { type: "primary", className: O("ff-button", n), iconPosition: r, size: a }; + return t === "danger" ? s.danger = !0 : t === "default" && (s.type = t), o === "link" || o === "dashed" ? (s.type = o, t === "default" && (s.className = O(s.className, "ff-default"))) : o !== "circle" && o !== "round" || (s.shape = o), i && (s.icon = h(yt, { type: i })), e && (s.children = e), s; +}, [o, t, n, i, r]), St = ({ data: t, widget: e, widgetType: n = "fsdpf-component", widgetData: i, widgetProps: r, widgetSetting: a, widgetContainerProps: o, onAfterClick: s, onBeforeClick: l, children: u, extras: d }) => { + const p = le(ie), [f, g] = L(!1), [y, w] = L("hover"), [C, k] = L({}), [v, $] = L(), { placement: T, align: R, zIndex: A, arrow: M = { pointAtCenter: !0 }, getPopupContainer: D, isPopupMountBodyContainer: j = !0, ...z } = o || {}; + V(() => { + n == "grid-layout-form" ? $(E.createElement(Dn, { ...i, $setting: a, code: e })) : n == "data-list" ? $(E.createElement(Ht, { base62params: t, $setting: a, listCode: e })) : m.isString(e) ? se.getWidgetComponent(e).then(({ default: W }) => { + $(E.createElement(W, { ...i, $setting: a })); + }).catch((W) => $(W.toString())) : Xt(e) ? $(E.createElement(e, { ...i, $setting: a })) : E.isValidElement(e) && $(E.cloneElement(e, { ...i, $setting: a })); + }, [e, n, i]), V(() => { + Promise.resolve(at(r, t, { list: p })).then(k); + }, [r, t, p.getBase62params]); + const S = (W, Ee = !1) => (g(W), !W && w("hover"), W ? l == null ? void 0 : l(C) : s == null ? void 0 : s(Ee)), K = (W) => { + g(!0), w("click"); + }; + return h(pi, { zIndex: A, placement: T, onPopupClick: K, onClick: K, open: f, align: R, arrow: M, trigger: y, getPopupContainer: D || j ? void 0 : (W) => W, content: h(gr, { ...z, extras: d, children: v && E.cloneElement(v, { ...C, $close: (W) => S(!1, W) }) }), children: u, onOpenChange: S }); +}, gr = ({ title: t, className: e, classNames: n, children: i, extras: r, width: a, height: o, ...s }) => { + const [l, u] = L({}), d = X((y, w) => u((C) => ({ ...C, [y]: w })), []), p = X((y) => u((w) => ({ ...w, [y]: void 0 })), []), f = t ? E.createElement("div", { className: "ff-popup-title" }, t) : l == null ? void 0 : l.title, g = r ?? E.createElement("div", { className: "ff-popup-reserved-extras" }, r); + return h(rt.Provider, { value: { ele: l, mount: d, unmount: p }, children: F("div", { className: O("ff-popup ff-popover", e, l.rootClassName), style: { width: a ?? 260, height: o }, ...s, children: [F("div", { className: O("ff-popup-header", "ff-popover-header", n == null ? void 0 : n.header), children: [f, l == null ? void 0 : l["sub-title"]] }), h("div", { className: O("ff-popup-body", "ff-popover-body", n == null ? void 0 : n.body), children: i }), F("div", { className: O("ff-popup-footer", "ff-popover-footer", n == null ? void 0 : n.footer), children: [g, l == null ? void 0 : l.extras, l == null ? void 0 : l.actions] })] }) }); +}; +St.propTypes = { widgetType: b.oneOf(["fsdpf-component", "grid-layout-form", "data-list"]) }; +const lt = (t) => function({ className: e, variant: n, children: i, name: r, icon: a, type: o = "default", iconPosition: s = "start", noAuthType: l, onAfterClick: u, onBeforeClick: d, data: p, loading: f, disabled: g, tooltip: y, confirm: w, widget: C = () => { +}, widgetType: k, widgetData: v, widgetProps: $, widgetSetting: T, widgetContainerProps: R, ...A }) { + const { mode: M, ...D } = R || {}, j = zn({ className: e, name: r, type: o, icon: a, iconPosition: s }, n ?? t), z = h(mt, { ...j, ...A, children: i || r }); + if (M === "popover" && !["destroy", "redirect", "func"].includes(k)) return h(St, { data: p, widget: C, widgetType: k, widgetData: v, widgetProps: $, widgetSetting: T, widgetContainerProps: D, onAfterClick: u, onBeforeClick: d, children: z }); + const S = m.isEmpty(y) || !y.enabled ? {} : y, K = m.isEmpty(w) ? { enabled: !1 } : Object.assign({ enabled: !0 }, w), [W, Ee] = L(!1), [ct, { disabled: dt, loading: xt }] = pr({ widget: C, widgetType: k, widgetData: v, widgetProps: $, widgetSetting: T, widgetContainerProps: D }, { onAfterClick: u, onBeforeClick: d }); + return h(gi, { okText: "确定", cancelText: "取消", getPopupContainer: (te) => te, ...K, disabled: dt || g, open: W, onOpenChange: (te) => { + if (!te) return Ee(te); + K.enabled ? Ee(te) : ct(p); + }, onConfirm: (te) => { + ct(p, te); + }, onClick: (te) => { + te.stopPropagation(); + }, children: h(hi, { getPopupContainer: (te) => te, ...S, title: W ? null : S == null ? void 0 : S.title, trigger: ["hover", "click"], children: E.cloneElement(z, { loading: xt || f, disabled: dt || g }) }) }); +}, N = lt("default"); +N.propTypes = { type: b.oneOf(["primary", "default", "danger", ""]), size: b.oneOf(["large", "middle", "small"]), name: b.string, icon: b.string, iconPosition: b.oneOf(["start", "end"]), data: b.any, widget: b.any, widgetType: b.oneOf(["destroy", "redirect", "func", "component", "fsdpf-component", "grid-layout-form", "grid-layout", "data-list"]), widgetData: b.object, widgetProps: b.object, widgetSetting: b.object, widgetContainerProps: b.object, tooltip: b.exact({ title: b.string.isRequired, placement: b.oneOf(["top", "left", "right", "bottom", "topLeft", "topRight", "bottomLeft", "bottomRight", "leftTop", "leftBottom", "rightTop", "rightBottom"]), enabled: b.oneOfType([b.bool, b.number]), getPopupContainer: b.func }), confirm: b.exact({ title: b.string.isRequired, cancelText: b.string, okText: b.string, okType: b.oneOf(["primary", "default", "danger", ""]), placement: b.oneOf(["top", "left", "right", "bottom", "topLeft", "topRight", "bottomLeft", "bottomRight", "leftTop", "leftBottom", "rightTop", "rightBottom"]), enabled: b.oneOfType([b.bool, b.number]), getPopupContainer: b.func, arrow: b.oneOfType([b.bool, b.exact({ pointAtCenter: b.bool })]) }) }; +const hr = lt("link"), mr = lt("circle"), fr = lt("round"), yr = lt("dashed"), hn = ({ options: t = [], triggerWeights: e = ["grid-layout-form", "grid-layout", "fsdpf-component", "print"], onAfterClick: n = (g, y, w) => { +}, onBeforeClick: i = (g, y, w) => { +}, labelVariant: r = "link", labelSize: a, labelRender: o, btnVariant: s, btnSize: l, btnRender: u = (g, y) => h(N, { ...g, data: y }, g.uuid || Ft()), widgetContainerProps: d = {}, children: p, data: f }) => { + if (m.isEmpty(t)) return p; + const [g, y] = q(() => (t || []).reduce((C, k) => { + const v = e.indexOf(k.widgetType); + return v === -1 ? C[1].push(k) : C[0] ? v < e.indexOf(C[0].widgetType) ? (C[1].push(C[0]), C[0] = k) : C[1].push(k) : C[0] = k, C; + }, [null, []]), [t, e]); + o ? p = o(g, f) || p : p || (p = h(mt, { ...zn(Object.assign(g != null && g.name || g != null && g.icon ? {} : { icon: "icon-location" }, g, { size: a }), r) })); + const w = y.map((C) => u(Object.assign({ uuid: C.uuid, type: C.type, name: C.name, widget: C.widget, widgetType: C.widgetType, widgetProps: C.widgetProps, widgetData: C.widgetData, widgetSetting: C.widgetSetting, widgetContainerProps: C.widgetContainerSetting, confirm: C.confirm, onAfterClick: m.partialRight(n, C, f), onBeforeClick: m.partialRight(i, C, f) }, { size: l, variant: s }), f)); + return h(St, { widget: g == null ? void 0 : g.widget, widgetType: g == null ? void 0 : g.widgetType, widgetProps: g == null ? void 0 : g.widgetProps, widgetSetting: g == null ? void 0 : g.widgetSetting, widgetContainerProps: Object.assign({}, d, g == null ? void 0 : g.widgetContainerProps), data: f, widgetData: g == null ? void 0 : g.widgetData, extras: w, onAfterClick: m.partialRight(n, g, f), onBeforeClick: m.partialRight(i, g, f), children: p }); +}; +hn.propTypes = { triggerWeights: b.array, options: b.arrayOf(b.shape({ ...N.propTypes, widgetType: N.propTypes.widgetType.isRequired })), btnSize: N.propTypes.size, btnRender: b.func, btnVariant: b.oneOf(["", "default", "link", "circle", "round", "dashed"]), labelVariant: b.oneOf(["", "default", "link", "circle", "round", "dashed"]), labelRender: b.func, labelSize: N.propTypes.size, onAfterClick: b.func, onBeforeClick: b.func, widgetContainerProps: N.propTypes.widgetContainerProps, data: N.propTypes.data }, N.Link = hr, N.Link.defaultProps = N.defaultProps, N.Link.propTypes = N.propTypes, N.Circle = mr, N.Circle.defaultProps = N.defaultProps, N.Circle.propTypes = N.propTypes, N.Round = fr, N.Round.defaultProps = N.defaultProps, N.Round.propTypes = N.propTypes, N.Dashed = yr, N.Dashed.defaultProps = N.defaultProps, N.Dashed.propTypes = N.propTypes, N.Popover = St, N.GroupPopover = hn; +const wr = ({ fields: t, formProps: e, $close: n }) => { + const [i] = ne.useForm(), r = q(() => [{ name: "__PROPS__", value: e }], [e]); + return h(G, { actions: F(E.Fragment, { children: [h(N, { name: "取消", widget: () => n(!1) }), h(N, { name: "确定", type: "primary", widget: () => i.validateFields(!0).then(n) })] }), children: h(ne, { fields: r, form: i, className: "ff-modal-form", children: t == null ? void 0 : t.map(({ code: a, ...o }) => h(Jt, { code: a, ...o }, a)) }) }); +}, br = ({ className: t, classNames: e, $close: n, children: i, title: r, subTitle: a, actions: o, extras: s, ...l }) => F(ki, { ...l, prefixCls: "ff-drawer", className: O("ff-popup", t), maskMotion: { motionAppear: !0, motionName: "mask-motion" }, motion: (u) => ({ motionAppear: !0, motionName: `panel-motion-${u}` }), children: [F("div", { className: O("ff-popup-header", "ff-drawer-header", e == null ? void 0 : e.header), children: [h("button", { "aria-label": "Close", className: O("ff-popup-close", "ff-drawer-close", e == null ? void 0 : e.close), onClick: l.onClose, children: h(Kt, { type: "close" }) }), r, a] }), h("div", { className: O("ff-popup-body", "ff-drawer-body", e == null ? void 0 : e.body), children: i }), F("div", { className: O("ff-popup-footer", "ff-drawer-footer", e == null ? void 0 : e.footer), children: [s, o] })] }), Cr = ({ className: t, classNames: e, $close: n, $event: i, children: r, title: a, subTitle: o, actions: s, extras: l, placement: u, ...d }) => { + const p = (i == null ? void 0 : i.pageX) === void 0 ? { animation: null, maskAnimation: null, mousePosition: { x: null, y: null } } : { animation: "zoom", maskAnimation: "fade", mousePosition: { x: i == null ? void 0 : i.pageX, y: i == null ? void 0 : i.pageY } }; + return h(Ei, { ...d, ...p, prefixCls: "ff-modal", modalRender: () => F("div", { className: O("ff-modal-content ff-popup", t), children: [F("div", { className: O("ff-popup-header", "ff-modal-header", e == null ? void 0 : e.header), children: [h("button", { "aria-label": "Close", className: O("ff-popup-close", "ff-modal-close", e == null ? void 0 : e.close), onClick: d.onClose, children: h(Kt, { type: "close" }) }), a, o] }), h("div", { className: O("ff-popup-body", "ff-modal-body", e == null ? void 0 : e.body), children: r }), F("div", { className: O("ff-popup-footer", "ff-modal-footer", e == null ? void 0 : e.footer), children: [l, s] })] }) }); +}, Wn = ({ placement: t, $close: e, $event: n, children: i, title: r, ...a }) => { + const [o, s] = L({}), [l, u] = L(!0), d = X((y, w) => s((C) => ({ ...C, [y]: w })), []), p = X((y) => s((w) => ({ ...w, [y]: void 0 })), []); + let f = { ...a, className: o.rootClassName, title: o.title || r && E.createElement("div", { className: O("ff-popup-title") }, r), subTitle: o["sub-title"], actions: o.actions, extras: o.extras, children: i, $close: e, $event: n, onClose: () => u(!1) }; + const g = () => { + e(!1); + }; + return h(rt.Provider, { value: { ele: o, mount: d, unmount: p }, children: t && t !== "center" ? h(br, { ...f, placement: t, open: l, afterOpenChange: (y) => !y && g() }) : h(Cr, { ...f, visible: l, afterClose: g }) }); +}; +Wn.propTypes = { placement: b.oneOf(["center", "left", "top", "right", "bottom"]) }; +const Z = () => { + const [t, e] = ii({ maxCount: 6, motion: { motionName: "ff-notification-fade", motionAppear: !0, motionEnter: !0, motionLeave: !0, onLeaveStart: (a) => { + const { offsetHeight: o } = a; + return { height: o }; + }, onLeaveActive: () => ({ height: 0, opacity: 0, margin: 0 }) }, prefixCls: "ff-notification" }), [, n] = E.useReducer((a) => a + 1, 0); + V(() => { + Z.$onClick = i, Z.$queue.forEach(([a, o, s], l, u) => { + r([o, s], ...a), delete u[l]; + }); + }, []); + const i = (a, o = {}, s = {}) => new Promise((l, u) => r([l, u], a, o, s)), r = ([a, o], s, l = {}, u = {}) => { + const d = Z.$index++, p = (f) => ((g, y) => (Z.$popups.delete(g), n(), y == null ? void 0 : y()))(d, () => a(f)); + if (s === En) return t.open({ ...u, key: d, content: E.createElement(s, { ...l, $close: () => t.close(d) }) }); + Z.$popups.set(d, E.createElement(Wn, { maskClosable: !1, $event: l == null ? void 0 : l.$event, ...u, key: d, $close: p }, E.isValidElement(s) ? E.cloneElement(s, { ...l, $close: p }) : s != null && s.name || rn.isForwardRef(s) || (s == null ? void 0 : s.$$typeof) === rn.ForwardRef ? E.createElement(s, { ...l, $close: p }) : s)), n(); + }; + return F(E.Fragment, { children: [Array.from(Z.$popups).map(([a, o]) => o), e] }); +}; +Z.$popups = /* @__PURE__ */ new Map(), Z.$index = 0, Z.$queue = [], Z.$onClick = (...t) => new Promise((e, n) => { + Z.$queue.push([t, e, n]); +}); +const mn = (t, e, n = {}) => Z.$onClick(t, e, n), Ot = (t, { showProgress: e, duration: n, ...i } = { duration: 1.5 }) => Z.$onClick(En, { content: t, ...i }, { showProgress: e, duration: n }), ee = { modal: mn, confirm: (t, e = {}) => Z.$onClick($i, { content: t, ...e }, { placement: "center" }), form: (t, e = {}, n = {}) => mn(wr, { formProps: n, fields: t }, { placement: "center", ...e }).then((i) => { + if (i === !1) throw !1; + return i; +}), notification: Ot, success: (t, e = { duration: 1.5 }) => Ot(t, { ...e, className: "ff-notification-success", icon: "check" }), error: (t, e = { duration: 1.5 }) => Ot(t, { ...e, className: "ff-notification-error", icon: "close" }) }; +qe.configure({ showSpinner: !1 }), Ke.interceptors.request.use((t) => { + t.headers.Platform = "web", t.headers.SaaS = window.localStorage.getItem("SaaS"); + const e = window.localStorage.getItem(ht); + return t.headers.Authorization = e ? `Bearer ${e} ` : void 0, qe.inc(), t; +}, (t) => (qe.done(), Promise.reject({ code: -1, msg: t }))), Ke.interceptors.response.use(({ data: t, headers: e }) => (qe.done(), { ...t, res: e == null ? void 0 : e.res }), function(t) { + return qe.done(), Promise.reject(t.message); +}), window.addEventListener("unhandledrejection", At.onUnhandledRejection), At.onMsg = (t, e) => ee[[0, 1].includes(t) ? "success" : "error"](e).then(() => t === 20300 && ke.redirect(Ie.get("Common.WEBSITE_LOGIN_PAGE"))); +var je, Be; +const J = class J { + constructor() { + P(this, "appUrl", ""); + return c(J, je) || (B(J, Be, new At()), B(J, je, new Proxy(this, { get: (e, n) => n === "init" ? e.init : n === "appUrl" ? e.appUrl : c(J, Be)[n] }))), c(J, je); + } + init(e, n, i) { + Ke.defaults.baseURL = this.appUrl = i, Ke.defaults.timeout = 15e3, c(J, Be).init(e, n, Ke); + } +}; +je = new WeakMap(), Be = new WeakMap(), x(J, je, null), x(J, Be, null), P(J, "getInstance", () => c(J, je) ?? B(J, je, new J())); +let Bt = J; +const I = Bt.getInstance(); +class Gt extends Error { + constructor(e, n) { + super(n), Error.captureStackTrace && Error.captureStackTrace(this, Gt), !n instanceof _e && (this.name = `${e} Error Runtime`); + } +} +class _e extends Error { + constructor(e, ...n) { + super(...n), Error.captureStackTrace && Error.captureStackTrace(this, _e), this.name = `${e} Not Found`; + } +} +const Rt = "mine", ht = "token"; +var Oe, Ue; +const he = class he { + constructor() { + x(this, Ue, /* @__PURE__ */ new Map()); + P(this, "setVendor", (e, n) => c(this, Ue).set(e, new Cn(n, async (i, r) => { + var o, s; + if (!(i != null && i.default)) throw "@pkg not found"; + let a = () => r; + switch ("function") { + case typeof (a = (o = i.default) == null ? void 0 : o[`./${r}/index.jsx`]): + case typeof (a = (s = i.default) == null ? void 0 : s[`./${r}/index.js`]): + return a(); + } + throw new _e(r); + }))); + P(this, "getWidgetComponent", async (e) => { + if (!e) throw "getWidgetComponent widget is required"; + if (e != null && e.startsWith("blob:") || e != null && e.startsWith("http:") || e != null && e.startsWith("https:")) return await import(e); + const [, n] = e == null ? void 0 : e.split("@pkg/"); + if (!n) throw new _e(e); + try { + return c(this, Ue).has("pkg") ? await c(this, Ue).get("pkg").get(n) : await import(`${I.appUrl}/api/pkg-import/web?name=${e}`); + } catch (i) { + throw new Gt(e, i); + } + }); + P(this, "getRoutes", () => I.get("/api/my-router").then((e) => [...e, { uuid: "data-list-setting", isLayout: !0, uri: "/data-list-setting/:category/:categoryUuid", type: "fsdpf-component", component: "@pkg/ff-design/components/DataListSetting", extra: { layout: "@pkg/ff-design/frameworks/DesignTheme" } }, { uuid: "grid-layout-setting", isLayout: !0, uri: "/grid-layout-setting/:category/:categoryUuid", type: "fsdpf-component", component: "@pkg/ff-design/components/GridLayoutSetting", extra: { layout: "@pkg/ff-design/frameworks/DesignTheme" } }, { uuid: "grid-layout-form-setting", isLayout: !0, uri: "/grid-layout-form-setting/:category/:categoryUuid", type: "fsdpf-component", component: "@pkg/ff-design/components/GridLayoutFormSetting", extra: { layout: "@pkg/ff-design/frameworks/DesignTheme" } }, { uuid: "resource-api-setting", isLayout: !0, uri: "/resource-api-setting/:category/:categoryUuid", type: "fsdpf-component", component: "@pkg/ff-design/components/ResourceApiSetting", extra: { layout: "@pkg/ff-design/frameworks/DesignTheme" } }, { uuid: "charts-setting", isLayout: !0, uri: "/resource-api-setting/:category/:categoryUuid", type: "fsdpf-component", component: "@pkg/ff-design/components/ChartsSetting", extra: { layout: "@pkg/ff-design/frameworks/DesignTheme" } }, { uuid: "fsm-setting", isLayout: !0, uri: "/fsm-setting/:category/:categoryUuid", type: "fsdpf-component", component: "@pkg/ff-design/components/FsmSetting", extra: { layout: "@pkg/ff-design/frameworks/DesignTheme" } }, { uuid: "component-setting", isLayout: !0, uri: "/component-setting/:category/:categoryUuid", type: "fsdpf-component", component: "@pkg/ff-design/components/ComponentSetting", extra: { layout: "@pkg/ff-design/frameworks/DesignTheme" } }, { uuid: "login", uri: "/login", name: "登录", type: "fsdpf-component", isLogin: !1, component: "@pkg/ff/components/Login" }, { uuid: "not-found", uri: "*", name: "Not Found", type: "fsdpf-component", isLogin: !1, component: "@pkg/ff/components/NotFound" }].map(({ uuid: n, ...i }) => [n, { uuid: n, ...i }])).then((e) => new Map(e))); + P(this, "getMenus", () => I.get("/api/my-menu")); + P(this, "getConfigure", () => I.get("api/init-configure")); + P(this, "getWidgetOperationAuth", () => I.get("/api/init-widget-operation-auth").then((e) => e.reduce((n, { uuid: i, auth: r }) => [...n, [i, r]], []))); + P(this, "getPhoneNumber", (e) => I.get(`/api/user-wx-phone-number/${e}`)); + P(this, "getUserToken", () => { + const e = window.localStorage.getItem(ht); + if (!e) return ""; + const n = e.split("."); + if (!Array.isArray(n) || n.length !== 3) throw "登录令牌无效!"; + const { iat: i } = JSON.parse(window.atob(n[1])); + if (Math.floor((/* @__PURE__ */ new Date()).getTime() / 1e3) - i > 2592e3) throw "登录令牌已过期, 请重新登录!"; + return e; + }); + P(this, "checkUserToken", () => { + try { + return !!this.getUserToken(); + } catch { + return !1; + } + }); + P(this, "getUserInfo", (e = !0) => { + var n; + try { + const i = this.getUserToken(); + if (!i) return Promise.resolve(null); + const { iat: r } = JSON.parse(window.atob((n = i == null ? void 0 : i.split(".")) == null ? void 0 : n[1])), { iat: a, ...o } = I.decode(window.localStorage.getItem(Rt) || "", {}); + return a === r ? Promise.resolve(o) : I.get("/api/mine-info").then(({ User: s = null }) => (window.localStorage.setItem(Rt, I.encode({ ...s, iat: r })), s)); + } catch (i) { + console.error(i), e && ee.error("请登录").then(this.logout); + } + return Promise.resolve(null); + }); + P(this, "login", (e, n, i = {}) => I.post("/api/user-token", { username: e, passwd: ri.hash(n), platform: "web", ...i }).then(({ token: r }) => (window.localStorage.setItem(ht, r), r)).then(async (r) => (await this.initAppEnv(), r))); + P(this, "logout", (e) => (window.localStorage.removeItem(Rt), window.localStorage.removeItem(ht), e == null ? void 0 : e())); + P(this, "initAppEnv", async () => { + const [e, n, i, r] = await Promise.all([this.getWidgetOperationAuth(), this.getRoutes(), this.getMenus(), this.getConfigure()]); + return $n.init(e), Ie.init(r), ke.init(n, i), yt.init(Ie.get("Common.ICONFONT")), { widgetOperationAuth: e, routes: n, menus: i, configures: r }; + }); + if (c(he, Oe)) return c(he, Oe); + } +}; +Oe = new WeakMap(), Ue = new WeakMap(), x(he, Oe, null), P(he, "getInstance", () => (c(he, Oe) || B(he, Oe, new he()), c(he, Oe))); +let Ut = he; +const se = Ut.getInstance(), kr = E.createContext({ user: {}, initUser: () => { +}, initUserComplete: !1 }), Er = E.createContext({ set: () => { +}, get: () => { +}, assign: () => { +}, currentRoute: () => { +} }), Xt = (t) => !!(t != null && t.name) && (t.prototype instanceof E.Component || /^[A-Z]/.test(t.name)), $r = (t, e) => { + if (!t || typeof window > "u") return; + let n = document.querySelector(`style[ff-style-token="${e}"]`); + return n ? (n.innerHTML = t, t) : (n = document.createElement("style"), n.setAttribute("ff-style-token", e), n.setAttribute("type", "text/css"), n.innerHTML = t, document.head.appendChild(n), t); +}, vr = Object.freeze(Object.defineProperty({ __proto__: null, AppContext: kr, AppGlobalParamsContext: Er, cache: Cn, configure: Ie, default: se, func: Re, http: I, insertStyle: $r, isReactComponent: Xt, route: ke }, Symbol.toStringTag, { value: "Module" })); +var be, me, Ce, Q, Y, H, fe, Ze, et, tt, nt, $t, it; +const Qt = class Qt { + constructor(e, n = "/") { + x(this, be, "/"); + x(this, me, (e) => { + const n = Date.now(); + if (e && (e.lastModified = n), c(this, be) != "/") { + const i = c(this, H).call(this, c(this, be)); + i && (i.lastModified = n); + } + this.root.lastModified = n; + }); + x(this, Ce, (e) => { + let n = ce.normalize(e); + return n.startsWith("/") || (n = "/" + n), n.length > 1 && n.endsWith("/") && (n = n.slice(0, -1)), n; + }); + x(this, Q, (e) => { + const n = ce.join(c(this, be), e); + return c(this, Ce).call(this, n); + }); + x(this, Y, (e) => { + if (!e || typeof e != "string") return !1; + const n = c(this, Ce).call(this, e); + return !n.includes("..") && n.startsWith("/"); + }); + x(this, H, (e) => { + var a; + const n = c(this, Ce).call(this, e); + if (n === "/") return this.root; + const i = n.split("/").filter((o) => o); + let r = this.root; + for (const o of i) { + if (r.type !== "dir") return null; + const s = (a = r.children) == null ? void 0 : a.find((l) => l.name === o); + if (!s) return null; + r = s; + } + return r; + }); + x(this, fe, (e) => { + const n = c(this, Ce).call(this, e), i = ce.basename(n), r = ce.dirname(n); + return { parent: c(this, H).call(this, r), name: i }; + }); + x(this, Ze, (e, n, i) => i === !1 ? e : i === "root" ? e.map((r) => ce.join(n, r)) : i === !0 || i === "working" ? e.map((r) => ce.relative(c(this, be), ce.join(n, r))) : e); + x(this, et, async (e, n, i, r = "") => { + const a = [], o = c(this, H).call(this, e); + if (!o || o.type !== "dir") return a; + const s = o.children; + for (const l of s) { + const u = l.name, d = e === "/" ? `/${u}` : `${e}/${u}`, p = r ? `${r}/${u}` : u; + try { + if (l.type === "file") n(i ? p : u) && a.push(p); + else if (l.type === "dir" && i) { + const f = await c(this, et).call(this, d, n, i, p); + a.push(...f); + } + } catch { + continue; + } + } + return a; + }); + x(this, tt, async (e, n, i, r = "") => { + const a = [], o = Array.isArray(n) ? n : [n], s = c(this, H).call(this, e); + if (!s || s.type !== "dir") return a; + if (!i) { + for (const u of o) if (c(this, nt).call(this, u)) { + const d = await c(this, $t).call(this, e, u); + a.push(...d); + } else { + const d = ce.join(e, u), p = c(this, Ce).call(this, d); + c(this, H).call(this, p) && a.push(u); + } + return a; + } + const l = s.children; + for (const u of l) { + const d = u.name, p = e === "/" ? `/${d}` : `${e}/${d}`, f = r ? `${r}/${d}` : d; + try { + if (u.type === "file") for (const g of o) { + let y = !1; + if (y = c(this, nt).call(this, g) ? c(this, it).call(this, d, g) : d === g, y) { + a.push(f); + break; + } + } + else if (u.type === "dir") { + const g = await c(this, tt).call(this, p, n, i, f); + a.push(...g); + } + } catch { + continue; + } + } + return a; + }); + x(this, nt, (e) => /[*?[\]{}]/.test(e)); + x(this, $t, async (e, n) => { + const i = [], r = c(this, H).call(this, e); + if (!r || r.type !== "dir") return i; + const a = r.children.map((o) => o.name); + for (const o of a) c(this, it).call(this, o, n) && i.push(o); + return i; + }); + x(this, it, (e, n) => { + const i = n.replace(/\./g, "\\.").replace(/\*/g, ".*").replace(/\?/g, ".").replace(/\{([^}]+)\}/g, (r, a) => "(" + a.split(",").join("|") + ")"); + return new RegExp(`^${i}$`).test(e); + }); + var i, r, a; + B(this, be, n), this.root = { name: "/", type: "dir", children: [], lastModified: Date.now() }, Array.isArray(e) ? this.root.children = e : e && typeof e == "object" && (e.name && e.name !== "/" ? this.root.children.push(e) : (this.root = e, (i = this.root).name ?? (i.name = "/"), (r = this.root).children ?? (r.children = []), (a = this.root).lastModified ?? (a.lastModified = Date.now()))); + } + async stat(e) { + const n = c(this, Q).call(this, e); + if (!c(this, Y).call(this, n)) throw new Error(`EINVAL: invalid path '${e}'`); + const i = c(this, H).call(this, n); + if (!i) throw new Error(`ENOENT: no such file or directory, stat '${e}'`); + return { isFile: () => i.type === "file", isDirectory: () => i.type === "dir", lastModified: i.lastModified }; + } + async dir(e) { + const n = c(this, Q).call(this, e); + if (!c(this, Y).call(this, n)) throw new Error(`EINVAL: invalid path '${e}'`); + const i = c(this, H).call(this, n); + if (!i) throw new Error(`ENOENT: no such file or directory, scandir '${e}'`); + if (i.type !== "dir") throw new Error(`ENOTDIR: not a directory, scandir '${e}'`); + return i.children.map((r) => r.name); + } + async readFile(e) { + const n = c(this, Q).call(this, e); + if (!c(this, Y).call(this, n)) throw new Error(`EINVAL: invalid path '${e}'`); + const i = c(this, H).call(this, n); + if (!i) throw new Error(`ENOENT: no such file or directory, open '${e}'`); + if (i.type !== "file") throw new Error("EISDIR: illegal operation on a directory, read"); + return i.content || ""; + } + async writeFile(e, n) { + const i = c(this, Q).call(this, e); + if (!c(this, Y).call(this, i)) throw new Error(`EINVAL: invalid path '${e}'`); + const { parent: r, name: a } = c(this, fe).call(this, i); + if (!r) throw new Error(`ENOENT: no such file or directory, open '${e}'`); + if (r.type !== "dir") throw new Error("ENOTDIR: not a directory"); + const o = r.children.findIndex((l) => l.name === a), s = { name: a, type: "file", content: n, lastModified: Date.now() }; + o >= 0 ? r.children[o] = s : r.children.push(s), c(this, me).call(this, r); + } + async mkdir(e, n = {}) { + const i = c(this, Q).call(this, e); + if (!c(this, Y).call(this, i)) throw new Error(`EINVAL: invalid path '${e}'`); + const { recursive: r } = n; + if (r) { + const a = i.split("/").filter((s) => s); + let o = "/"; + for (const s of a) + if (o = ce.join(o, s), !c(this, H).call(this, o)) { + const { parent: l, name: u } = c(this, fe).call(this, o); + if (l && l.type === "dir") { + const d = { name: u, type: "dir", children: [], lastModified: Date.now() }; + l.children.push(d), c(this, me).call(this, l); + } + } + } else { + const { parent: a, name: o } = c(this, fe).call(this, i); + if (!a) throw new Error(`ENOENT: no such file or directory, mkdir '${e}'`); + if (a.type !== "dir") throw new Error("ENOTDIR: not a directory"); + if (a.children.find((l) => l.name === o)) throw new Error(`EEXIST: file already exists, mkdir '${e}'`); + const s = { name: o, type: "dir", children: [], lastModified: Date.now() }; + a.children.push(s), c(this, me).call(this, a); + } + } + async unlink(e) { + const n = c(this, Q).call(this, e); + if (!c(this, Y).call(this, n)) throw new Error(`EINVAL: invalid path '${e}'`); + const { parent: i, name: r } = c(this, fe).call(this, n); + if (!i) throw new Error(`ENOENT: no such file or directory, unlink '${e}'`); + const a = i.children.findIndex((o) => o.name === r); + if (a < 0) throw new Error(`ENOENT: no such file or directory, unlink '${e}'`); + if (i.children[a].type !== "file") throw new Error(`EISDIR: illegal operation on a directory, unlink '${e}'`); + i.children.splice(a, 1), c(this, me).call(this, i); + } + async rmdir(e, n = {}) { + const i = c(this, Q).call(this, e); + if (!c(this, Y).call(this, i)) throw new Error(`EINVAL: invalid path '${e}'`); + const { parent: r, name: a } = c(this, fe).call(this, i); + if (!r) throw new Error(`ENOENT: no such file or directory, rmdir '${e}'`); + const o = r.children.findIndex((l) => l.name === a); + if (o < 0) throw new Error(`ENOENT: no such file or directory, rmdir '${e}'`); + const s = r.children[o]; + if (s.type !== "dir") throw new Error(`ENOTDIR: not a directory, rmdir '${e}'`); + if (!n.recursive && s.children.length > 0) throw new Error(`ENOTEMPTY: directory not empty, rmdir '${e}'`); + r.children.splice(o, 1), c(this, me).call(this, r); + } + async rename(e, n) { + const i = c(this, Q).call(this, e), r = c(this, Q).call(this, n); + if (!c(this, Y).call(this, i)) throw new Error(`EINVAL: invalid path '${e}'`); + if (!c(this, Y).call(this, r)) throw new Error(`EINVAL: invalid path '${n}'`); + if (!c(this, H).call(this, i)) throw new Error(`ENOENT: no such file or directory, rename '${e}' -> '${n}'`); + const { parent: a, name: o } = c(this, fe).call(this, i), { parent: s, name: l } = c(this, fe).call(this, r); + if (!s) throw new Error(`ENOENT: no such file or directory, rename '${e}' -> '${n}'`); + if (c(this, H).call(this, r)) throw new Error(`EEXIST: file already exists, rename '${e}' -> '${n}'`); + const u = a.children.findIndex((p) => p.name === o), d = { ...a.children[u], name: l, lastModified: Date.now() }; + a.children.splice(u, 1), s.children.push(d), c(this, me).call(this, a), a !== s && c(this, me).call(this, s); + } + async exists(e) { + const n = c(this, Q).call(this, e); + return c(this, Y).call(this, n) ? c(this, H).call(this, n) !== null : !1; + } + getLastModified() { + return this.root.lastModified; + } + getWorkingDirectory() { + return c(this, be); + } + scope(e = "/") { + const n = c(this, Ce).call(this, e); + if (!c(this, Y).call(this, n)) throw new Error(`EINVAL: invalid path '${e}'`); + const i = c(this, H).call(this, n); + if (!i) throw new Error(`ENOENT: no such file or directory '${e}'`); + if (i.type !== "dir") throw new Error(`ENOTDIR: not a directory '${e}'`); + return i.children ?? (i.children = []), i.lastModified ?? (i.lastModified = Date.now()), new Qt(this.root, n); + } + async findFiles(e, n, i = {}) { + const r = c(this, Q).call(this, e); + if (!c(this, Y).call(this, r)) throw new Error(`EINVAL: invalid path '${e}'`); + const a = c(this, H).call(this, r); + if (!a) throw new Error(`ENOENT: no such file or directory '${e}'`); + if (a.type !== "dir") throw new Error(`ENOTDIR: not a directory '${e}'`); + const { recursive: o = !1, fullPath: s = !1 } = i; + if (typeof n == "function") { + const u = await c(this, et).call(this, r, n, o); + return c(this, Ze).call(this, u, r, s); + } + const l = await c(this, tt).call(this, r, n, o); + return c(this, Ze).call(this, l, r, s); + } +}; +be = new WeakMap(), me = new WeakMap(), Ce = new WeakMap(), Q = new WeakMap(), Y = new WeakMap(), H = new WeakMap(), fe = new WeakMap(), Ze = new WeakMap(), et = new WeakMap(), tt = new WeakMap(), nt = new WeakMap(), $t = new WeakMap(), it = new WeakMap(); +let fn = Qt; +const Sr = async (t, e = "/", n = "") => { + try { + const i = await t.stat(e), r = e === "/" ? "/" : ce.basename(e), a = { title: r, key: n ? `${n}${e}` : e, isLeaf: i.isFile() }; + if (i.isDirectory()) { + const o = await t.dir(e); + if (o.length > 0) { + a.children = []; + const s = [], l = []; + for (const u of o) { + const d = e === "/" ? `/${u}` : `${e}/${u}`; + try { + (await t.stat(d)).isDirectory() ? s.push(u) : l.push(u); + } catch (p) { + console.warn(`Failed to stat ${d}:`, p.message); + } + } + s.sort(), l.sort(); + for (const u of [...s, ...l]) { + const d = e === "/" ? `/${u}` : `${e}/${u}`; + try { + const p = await Sr(t, d, n); + a.children.push(p); + } catch (p) { + console.warn(`Failed to process ${d}:`, p.message); + } + } + } + } + return a; + } catch { + return null; + } +}; +export { + vt as $, + Rn as A, + On as B, + Bi as C, + ft as D, + Wi as E, + Di as F, + ta as G, + qi as H, + Ht as I, + ie as J, + Ui as K, + Yi as L, + ji as M, + Vi as N, + Ri as O, + Fi as P, + Xr as Q, + Fn as R, + Qr as S, + Nn as T, + Vt as U, + Ai as V, + Li as W, + Gi as X, + Xi as Y, + na as Z, + ia as _, + vn as a, + ra as a0, + aa as a1, + ot as a2, + st as a3, + oa as a4, + sa as a5, + sr as a6, + Yt as a7, + Jt as a8, + Dn as a9, + ke as aA, + kr as aB, + Er as aC, + fn as aD, + Sr as aE, + Zi as aa, + er as ab, + tr as ac, + nr as ad, + ir as ae, + rr as af, + la as ag, + yt as ah, + N as ai, + $n as aj, + pr as ak, + G as al, + rt as am, + kn as an, + Z as ao, + ee as ap, + Ur as aq, + qr as ar, + Kr as as, + se as at, + Xt as au, + $r as av, + I as aw, + Cn as ax, + Ie as ay, + Re as az, + Si as b, + at as c, + Sn as d, + Hr as e, + Jr as f, + vi as g, + Yr as h, + xi as i, + Ni as j, + Gr as k, + Tn as l, + Pi as m, + Zr as n, + _t as o, + An as p, + In as q, + Tt as r, + Hi as s, + oe as t, + _r as u, + jn as v, + Ki as w, + _i as x, + ea as y, + Ln as z +}; diff --git a/dist/components.js b/dist/components.js index cd104f7..b613172 100644 --- a/dist/components.js +++ b/dist/components.js @@ -1,4 +1,4 @@ -import { aq as s, ah as p, ar as n, as as r, ap as t } from "./common/main-BEaQ6Xnt.js"; +import { aq as s, ah as p, ar as n, as as r, ap as t } from "./common/main-C0CYfBDd.js"; export { s as Empty, p as Icon, diff --git a/dist/container.js b/dist/container.js index 0b85c37..84dfb94 100644 --- a/dist/container.js +++ b/dist/container.js @@ -1,4 +1,4 @@ -import { am as s, aq as e, ar as p, as as n, an as t, ap as d, ao as r, al as u } from "./common/main-BEaQ6Xnt.js"; +import { am as s, aq as e, ar as p, as as n, an as t, ap as d, ao as r, al as u } from "./common/main-C0CYfBDd.js"; export { s as Context, e as Empty, diff --git a/dist/data-converter.js b/dist/data-converter.js index bad7710..253a49c 100644 --- a/dist/data-converter.js +++ b/dist/data-converter.js @@ -1,6 +1,6 @@ import "lodash"; import "react"; -import { D as p } from "./common/main-BEaQ6Xnt.js"; +import { D as p } from "./common/main-C0CYfBDd.js"; export { p as default }; diff --git a/dist/data-list.js b/dist/data-list.js index 0117478..5b57d56 100644 --- a/dist/data-list.js +++ b/dist/data-list.js @@ -1,4 +1,4 @@ -import { L as t, J as e, B as r, F as o, M as i, I as l, E as u, K as D, C as n, N as L, A as C, P as m, O as p, W as b, S as c, U as F, T as d, V as O, Q as S } from "./common/main-BEaQ6Xnt.js"; +import { L as t, J as e, B as r, F as o, M as i, I as l, E as u, K as D, C as n, N as L, A as C, P as m, O as p, W as b, S as c, U as F, T as d, V as O, Q as S } from "./common/main-C0CYfBDd.js"; export { t as DataListContent, e as DataListContext, diff --git a/dist/data-list/utils.js b/dist/data-list/utils.js index dcbc4fe..ab9857a 100644 --- a/dist/data-list/utils.js +++ b/dist/data-list/utils.js @@ -1,5 +1,5 @@ import "lodash"; -import { p as t } from "../common/main-BEaQ6Xnt.js"; +import { p as t } from "../common/main-C0CYfBDd.js"; export { t as getDefaultExpandRowKeys }; diff --git a/dist/grid-layout-form.js b/dist/grid-layout-form.js index ceaedf1..3612f4c 100644 --- a/dist/grid-layout-form.js +++ b/dist/grid-layout-form.js @@ -1,4 +1,4 @@ -import { a7 as s, a9 as r, a8 as u, a6 as o, z as t, ae as m, ac as d, ad as F, ag as i, ab as g, aa as c, af as l } from "./common/main-BEaQ6Xnt.js"; +import { a7 as s, a9 as r, a8 as u, a6 as o, z as t, ae as m, ac as d, ad as F, ag as i, ab as g, aa as c, af as l } from "./common/main-C0CYfBDd.js"; export { s as GridLayoutForm, r as GridLayoutFormHelper, diff --git a/dist/grid-layout-form/utils.js b/dist/grid-layout-form/utils.js index b223971..7fafc8b 100644 --- a/dist/grid-layout-form/utils.js +++ b/dist/grid-layout-form/utils.js @@ -1,5 +1,5 @@ import "lodash"; -import { a as o, g } from "../common/main-BEaQ6Xnt.js"; +import { a as o, g } from "../common/main-C0CYfBDd.js"; export { o as getNormalizeWidget, g as getOptionItemByValue diff --git a/dist/grid-layout.js b/dist/grid-layout.js index 52c10f5..d7366d3 100644 --- a/dist/grid-layout.js +++ b/dist/grid-layout.js @@ -1,4 +1,4 @@ -import { q as u, v as e, s as r, H as t, G as d, x as i, z as o, y, w as G } from "./common/main-BEaQ6Xnt.js"; +import { q as u, v as e, s as r, H as t, G as d, x as i, z as o, y, w as G } from "./common/main-C0CYfBDd.js"; export { u as GridLayout, e as GridLayoutFramework, diff --git a/dist/grid-layout/utils.js b/dist/grid-layout/utils.js index 6aacd59..2ed76f9 100644 --- a/dist/grid-layout/utils.js +++ b/dist/grid-layout/utils.js @@ -1,4 +1,4 @@ -import { l as t, o as a, n as l } from "../common/main-BEaQ6Xnt.js"; +import { l as t, o as a, n as l } from "../common/main-C0CYfBDd.js"; export { t as getBoxStyle, a as getNormalizeFields, diff --git a/dist/hooks.js b/dist/hooks.js index e06c1f3..c673b36 100644 --- a/dist/hooks.js +++ b/dist/hooks.js @@ -1,7 +1,7 @@ import "lodash"; import "rc-field-form"; import "react"; -import { a3 as r, a2 as o, a4 as p, a0 as f, a1 as i, a5 as m, $ as c } from "./common/main-BEaQ6Xnt.js"; +import { a3 as r, a2 as o, a4 as p, a0 as f, a1 as i, a5 as m, $ as c } from "./common/main-C0CYfBDd.js"; import { default as b } from "rc-util/lib/hooks/useMergedState"; export { r as useDeepEffect, diff --git a/dist/iconfont.js b/dist/iconfont.js index 3215f7d..972b703 100644 --- a/dist/iconfont.js +++ b/dist/iconfont.js @@ -2,7 +2,7 @@ import "react/jsx-runtime"; import "react"; import "prop-types"; import "classnames"; -import { ah as a } from "./common/main-BEaQ6Xnt.js"; +import { ah as a } from "./common/main-C0CYfBDd.js"; export { a as default }; diff --git a/dist/index.js b/dist/index.js index 071c8e0..a221106 100644 --- a/dist/index.js +++ b/dist/index.js @@ -1,4 +1,4 @@ -import { aB as s, aC as e, ax as o, ay as n, at as p, az as r, aw as c, av as u, au as f, aA as l } from "./common/main-BEaQ6Xnt.js"; +import { aB as s, aC as e, ax as o, ay as n, at as p, az as r, aw as c, av as u, au as f, aA as l } from "./common/main-C0CYfBDd.js"; export { s as AppContext, e as AppGlobalParamsContext, diff --git a/dist/pages.js b/dist/pages.js index 50db286..77e015a 100644 --- a/dist/pages.js +++ b/dist/pages.js @@ -1,4 +1,4 @@ -import { Y as t, X as e, Z as o, _ as g } from "./common/main-BEaQ6Xnt.js"; +import { Y as t, X as e, Z as o, _ as g } from "./common/main-C0CYfBDd.js"; export { t as CustomPage, e as DataListPage, diff --git a/dist/res-ws.js b/dist/res-ws.js index b129d93..64b6223 100644 --- a/dist/res-ws.js +++ b/dist/res-ws.js @@ -1,5 +1,5 @@ import "lodash"; -import { R as a } from "./common/main-BEaQ6Xnt.js"; +import { R as a } from "./common/main-C0CYfBDd.js"; export { a as default }; diff --git a/dist/utils.js b/dist/utils.js index 698b070..bec47b3 100644 --- a/dist/utils.js +++ b/dist/utils.js @@ -1,5 +1,5 @@ import "lodash"; -import { d as s, f as i, e as g, h as m, b as o, k as P, c as p, j as d, i as h, m as k, r as f, t as u, u as l } from "./common/main-BEaQ6Xnt.js"; +import { d as s, f as i, e as g, h as m, b as o, k as P, c as p, j as d, i as h, m as k, r as f, t as u, u as l } from "./common/main-C0CYfBDd.js"; import "./common/vender-FNiQWFaA.js"; export { s as deepSome, diff --git a/dist/virtual-fs.js b/dist/virtual-fs.js new file mode 100644 index 0000000..a82e22e --- /dev/null +++ b/dist/virtual-fs.js @@ -0,0 +1,6 @@ +import "pathe"; +import { aD as o, aE as r } from "./common/main-C0CYfBDd.js"; +export { + o as default, + r as toTreePaths +}; diff --git a/package.json b/package.json index 259d042..46a983a 100644 --- a/package.json +++ b/package.json @@ -1,7 +1,7 @@ { "name": "ff", "private": true, - "version": "0.6.21", + "version": "0.6.22", "author": "www.fsdpf.com", "type": "module", "main": "./dist/index.js", @@ -25,6 +25,7 @@ "classnames": "^2.5.1", "immutability-helper": "^3.1.1", "lodash": "^4.17.21", + "pathe": "^2.0.3", "rc-dialog": "^9.5.2", "rc-drawer": "^7.2.0", "rc-field-form": "^1.44.0", @@ -72,4 +73,4 @@ "rc-util/lib/hooks/useMergedState" ] } -} +} \ No newline at end of file