chore(config): 添加项目配置文件和隐私协议

- 新增 .editorconfig 文件统一代码风格配置
- 新增 .env 环境变量配置文件
- 添加开发和生产环境的环境变量配置
- 配置 ESLint 忽略规则文件
- 设置代码检查配置文件 .eslintrc.js
- 添加 Git 忽略文件规则
- 创建 Prettier 格式化忽略规则
- 添加隐私政策和服务协议HTML文件
- 实现访问密钥编辑组件基础结构
This commit is contained in:
2026-02-07 16:33:13 +08:00
commit 92a6a32868
1384 changed files with 224513 additions and 0 deletions

View File

@@ -0,0 +1,110 @@
<!-- 文档导入弹窗 -->
<template>
<ele-modal
:width="520"
:footer="null"
:title="`批量导入文档 - ${kbId}`"
:visible="visible"
@update:visible="updateVisible"
>
<a-spin :spinning="loading">
<a-upload-dragger
accept=".pdf,.doc,.docx,.txt,.md,.xls,.xlsx"
:show-upload-list="false"
:customRequest="doUpload"
:multiple="true"
style="padding: 24px 0; margin-bottom: 16px"
>
<p class="ant-upload-drag-icon">
<cloud-upload-outlined />
</p>
<p class="ant-upload-hint">将文件拖到此处或点击上传</p>
<p class="ant-upload-hint" style="font-size: 12px; color: #999;">
支持格式PDFWordExcelTXTMD 等文档格式
</p>
</a-upload-dragger>
</a-spin>
</ele-modal>
</template>
<script lang="ts" setup>
import { ref } from 'vue';
import { message } from 'ant-design-vue/es';
import { CloudUploadOutlined } from '@ant-design/icons-vue';
import { debounce } from 'lodash-es';
import { uploadKnowledgeBaseDocument } from '@/api/ai/knowledgeBase';
const emit = defineEmits<{
(e: 'done'): void;
(e: 'update:visible', visible: boolean): void;
}>();
// 在顶层定义 props
const props = defineProps<{
visible: boolean;
kbId: string;
}>();
const loading = ref(false);
// 新增批量上传方法
const handleBatchUpload = debounce(async () => {
if (uploadQueue.length === 0) return;
const files = [...uploadQueue];
uploadQueue.length = 0; // 清空队列
loading.value = true;
try {
const msg = await uploadKnowledgeBaseDocument(props.kbId, files);
message.success(msg || '上传成功');
updateVisible(false);
emit('done');
} catch (e) {
message.error(e.message || '上传失败');
} finally {
loading.value = false;
}
}, 500);
// 修改后的上传方法
const doUpload = ({ file }: { file: File }) => {
// 检查文件类型
const allowedTypes = [
'application/pdf',
'application/msword',
'application/vnd.openxmlformats-officedocument.wordprocessingml.document',
'text/plain',
'text/markdown',
'application/vnd.ms-excel',
'application/vnd.openxmlformats-officedocument.spreadsheetml.sheet'
];
const allowedExtensions = ['.pdf', '.doc', '.docx', '.txt', '.md', '.xls', '.xlsx'];
const fileExtension = '.' + file.name.split('.').pop()?.toLowerCase();
if (!allowedTypes.includes(file.type) && !allowedExtensions.includes(fileExtension)) {
message.error('只能上传文档文件PDF、Word、Excel、TXT、MD');
return false;
}
if (file.size / 1024 / 1024 > 100) {
message.error('文件大小不能超过 100MB');
return false;
}
// 将文件加入队列并触发防抖上传
uploadQueue.push(file);
handleBatchUpload();
return false;
};
// 新增文件队列
const uploadQueue: File[] = [];
/* 更新 visible */
const updateVisible = (value: boolean) => {
emit('update:visible', value);
};
</script>

View File

@@ -0,0 +1,114 @@
<!-- 文档导入弹窗 -->
<template>
<ele-modal
:width="520"
:footer="null"
:title="`批量导入文档`"
:visible="visible"
@update:visible="updateVisible"
>
<a-spin :spinning="loading">
<a-upload-dragger
accept=".pdf,.doc,.docx,.txt,.md,.xls,.xlsx"
:show-upload-list="false"
:customRequest="doUpload"
:multiple="true"
style="padding: 24px 0; margin-bottom: 16px"
>
<p class="ant-upload-drag-icon">
<cloud-upload-outlined />
</p>
<p class="ant-upload-hint">将文件拖到此处或点击上传</p>
<p class="ant-upload-hint" style="font-size: 12px; color: #999;">
支持格式PDFWordExcelTXTMD 等文档格式
</p>
</a-upload-dragger>
</a-spin>
</ele-modal>
</template>
<script lang="ts" setup>
import { ref } from 'vue';
import { message } from 'ant-design-vue/es';
import { CloudUploadOutlined } from '@ant-design/icons-vue';
import { debounce } from 'lodash-es';
import { uploadFiles } from '@/api/ai/aiCloudFile';
const emit = defineEmits<{
(e: 'done'): void;
(e: 'update:visible', visible: boolean): void;
}>();
// 在顶层定义 props - 修改为接收 doc 对象
const props = defineProps<{
visible: boolean;
doc: { // 改为接收完整的 doc 对象
id: number;
categoryId: string;
};
}>();
const loading = ref(false);
// 新增批量上传方法 - 修改调用参数
const handleBatchUpload = debounce(async () => {
if (uploadQueue.length === 0) return;
const files = [...uploadQueue];
uploadQueue.length = 0; // 清空队列
loading.value = true;
try {
// 修改:传入 doc.id 和 doc.categoryId
const msg = await uploadFiles(props.doc.id, props.doc.categoryId, files);
message.success(msg || '上传成功');
updateVisible(false);
emit('done');
} catch (e: any) {
message.error(e.message || '上传失败');
} finally {
loading.value = false;
}
}, 500);
// 修改后的上传方法
const doUpload = ({ file }: { file: File }) => {
// 检查文件类型
const allowedTypes = [
'application/pdf',
'application/msword',
'application/vnd.openxmlformats-officedocument.wordprocessingml.document',
'text/plain',
'text/markdown',
'application/vnd.ms-excel',
'application/vnd.openxmlformats-officedocument.spreadsheetml.sheet'
];
const allowedExtensions = ['.pdf', '.doc', '.docx', '.txt', '.md', '.xls', '.xlsx'];
const fileExtension = '.' + file.name.split('.').pop()?.toLowerCase();
if (!allowedTypes.includes(file.type) && !allowedExtensions.includes(fileExtension)) {
message.error('只能上传文档文件PDF、Word、Excel、TXT、MD');
return false;
}
if (file.size / 1024 / 1024 > 100) {
message.error('文件大小不能超过 100MB');
return false;
}
// 将文件加入队列并触发防抖上传
uploadQueue.push(file);
handleBatchUpload();
return false;
};
// 新增文件队列
const uploadQueue: File[] = [];
/* 更新 visible */
const updateVisible = (value: boolean) => {
emit('update:visible', value);
};
</script>

View File

@@ -0,0 +1,516 @@
<!-- 编辑弹窗 -->
<template>
<ele-modal
:width="800"
:visible="visible"
:maskClosable="false"
:maxable="maxable"
:title="isUpdate ? '编辑单位信息' : '添加单位信息'"
:body-style="{ paddingBottom: '28px' }"
@update:visible="updateVisible"
@ok="save"
>
<a-form
ref="formRef"
:model="form"
:rules="rules"
:label-col="styleResponsive ? { md: 4, sm: 5, xs: 24 } : { flex: '90px' }"
:wrapper-col="
styleResponsive ? { md: 19, sm: 19, xs: 24 } : { flex: '1' }
"
>
<a-form-item label="LOGO" name="companyLogo">
<SelectFile
:placeholder="`请选择图片`"
:limit="1"
:data="images"
@done="chooseImage"
@del="onDeleteItem"
/>
</a-form-item>
<a-form-item label="单位名称" name="companyName">
<a-input
allow-clear
placeholder="请输入单位名称"
v-model:value="form.companyName"
/>
</a-form-item>
<a-form-item label="简称" name="shortName">
<a-input
allow-clear
placeholder="请输入单位简称"
v-model:value="form.shortName"
/>
</a-form-item>
<a-form-item label="唯一标识" name="companyCode">
<a-input
allow-clear
placeholder="请输入单位唯一标识"
v-model:value="form.companyCode"
/>
</a-form-item>
<a-form-item label="企业性质" name="companyType">
<DictSelect
dict-code="CompanyType"
:width="200"
:show-search="true"
placeholder="企业性质"
v-model:value="form.companyType"
:field-names="{
label: 'dictDataName',
value: 'dictDataCode'
}"
/>
</a-form-item>
<a-form-item label="所属行业" name="industryParent">
<DictSelect
dict-code="Industry"
:width="200"
:show-search="true"
placeholder="所属行业"
v-model:value="form.industryParent"
:field-names="{
label: 'dictDataName',
value: 'dictDataCode'
}"
/>
</a-form-item>
<a-form-item label="知识库ID" name="kbId">
<a-input
:class="{ 'disabled-text': !form.kbId }"
:style="!form.kbId ? 'cursor: not-allowed; color: #999' : 'background-color: #f5f5f5'"
:placeholder="form.kbId ? '' : '未创建'"
:value="form.kbId"
readonly
/>
</a-form-item>
<!-- 行业库 -->
<a-form-item label="行业库" name="bizLibIds">
<a-select
show-search
:allow-clear="true"
optionFilterProp="label"
v-model:value="form.bizLibIds"
mode="multiple"
style="width: 100%"
placeholder="选择行业库"
:options="bizLibList"
></a-select>
</a-form-item>
<!-- 公共库 -->
<a-form-item label="公共库" name="pubLibIds">
<a-select
show-search
:allow-clear="true"
optionFilterProp="label"
v-model:value="form.pubLibIds"
mode="multiple"
style="width: 100%"
placeholder="选择公共库"
:options="pubLibList"
></a-select>
</a-form-item>
<!-- <a-form-item label="类型" name="companyType">-->
<!-- <a-radio-group v-model:value="form.companyType">-->
<!-- <a-radio :value="10">企业</a-radio>-->
<!-- <a-radio :value="20">单位</a-radio>-->
<!-- </a-radio-group>-->
<!-- <a-input-->
<!-- allow-clear-->
<!-- placeholder="请输入类型 10单位 20政府单位"-->
<!-- v-model:value="form.companyType"-->
<!-- />-->
<!-- </a-form-item>-->
<!-- <a-form-item label="应用标识" name="companyLogo">-->
<!-- <a-input-->
<!-- allow-clear-->
<!-- placeholder="请输入应用标识"-->
<!-- v-model:value="form.companyLogo"-->
<!-- />-->
<!-- </a-form-item>-->
<a-form-item label="网站域名" name="domain">
<a-input
allow-clear
placeholder="请输入网站域名"
v-model:value="form.domain"
/>
</a-form-item>
<!-- <a-form-item label="联系电话" name="phone">-->
<!-- <a-input-->
<!-- allow-clear-->
<!-- placeholder="请输入联系电话"-->
<!-- v-model:value="form.phone"-->
<!-- />-->
<!-- </a-form-item>-->
<a-form-item label="座机电话" name="tel">
<a-input
allow-clear
placeholder="请输入座机电话"
v-model:value="form.tel"
/>
</a-form-item>
<!-- <a-form-item label="邮箱" name="email">-->
<!-- <a-input-->
<!-- allow-clear-->
<!-- placeholder="请输入邮箱"-->
<!-- v-model:value="form.email"-->
<!-- />-->
<!-- </a-form-item>-->
<!-- <a-form-item label="发票抬头" name="invoiceHeader">-->
<!-- <a-input-->
<!-- allow-clear-->
<!-- placeholder="请输入发票抬头"-->
<!-- v-model:value="form.invoiceHeader"-->
<!-- />-->
<!-- </a-form-item>-->
<a-form-item label="企业法人" name="businessEntity">
<a-input
allow-clear
placeholder="请输入企业法人"
v-model:value="form.businessEntity"
/>
</a-form-item>
<!-- <a-form-item label="所在省份" name="province">-->
<!-- <a-input-->
<!-- allow-clear-->
<!-- placeholder="请输入所在省份"-->
<!-- v-model:value="form.province"-->
<!-- />-->
<!-- </a-form-item>-->
<!-- <a-form-item label="所在城市" name="city">-->
<!-- <a-input-->
<!-- allow-clear-->
<!-- placeholder="请输入所在城市"-->
<!-- v-model:value="form.city"-->
<!-- />-->
<!-- </a-form-item>-->
<!-- <a-form-item label="所在辖区" name="region">-->
<!-- <a-input-->
<!-- allow-clear-->
<!-- placeholder="请输入所在辖区"-->
<!-- v-model:value="form.region"-->
<!-- />-->
<!-- </a-form-item>-->
<a-form-item label="详细地址" name="address">
<a-input
allow-clear
placeholder="请输入详细地址"
v-model:value="form.address"
/>
</a-form-item>
<a-form-item label="备注" name="comments">
<a-textarea
:rows="4"
:maxlength="200"
placeholder="请输入描述"
v-model:value="form.comments"
/>
</a-form-item>
<a-form-item label="状态" name="status">
<a-radio-group v-model:value="form.status">
<a-radio :value="0">显示</a-radio>
<a-radio :value="1">隐藏</a-radio>
</a-radio-group>
</a-form-item>
<a-form-item label="排序号" name="sortNumber">
<a-input-number
:min="0"
:max="9999"
class="ele-fluid"
placeholder="请输入排序号"
v-model:value="form.sortNumber"
/>
</a-form-item>
</a-form>
</ele-modal>
</template>
<script lang="ts" setup>
import { ref, reactive, watch } from 'vue';
import { Form, message } from 'ant-design-vue';
import { assignObject, uuid } from 'ele-admin-pro';
import { addOaCompany, updateOaCompany } from '@/api/oa/oaCompany';
import { OaCompany } from '@/api/oa/oaCompany/model';
import { useThemeStore } from '@/store/modules/theme';
import { storeToRefs } from 'pinia';
import { ItemType } from 'ele-admin-pro/es/ele-image-upload/types';
import { FormInstance } from 'ant-design-vue/es/form';
import { FileRecord } from '@/api/system/file/model';
import {listPwlProjectLibrary} from '@/api/pwl/pwlProjectLibrary';
import DictSelect from "@/components/DictSelect/index.vue";
// 是否是修改
const isUpdate = ref(false);
const useForm = Form.useForm;
// 是否开启响应式布局
const themeStore = useThemeStore();
const { styleResponsive } = storeToRefs(themeStore);
// 资料库响应式数据
const bizLibList = ref<any[]>([]);
const pubLibList = ref<any[]>([]);
// 存储完整的资料库数据,用于查找名称
const allLibraries = ref<any[]>([]);
const props = defineProps<{
// 弹窗是否打开
visible: boolean;
// 修改回显的数据
data?: OaCompany | null;
}>();
const emit = defineEmits<{
(e: 'done'): void;
(e: 'update:visible', visible: boolean): void;
}>();
// 提交状态
const loading = ref(false);
// 是否显示最大化切换按钮
const maxable = ref(true);
// 表格选中数据
const formRef = ref<FormInstance | null>(null);
const images = ref<ItemType[]>([]);
// 用户信息
const form = reactive<OaCompany>({
companyId: undefined,
shortName: undefined,
companyName: undefined,
companyCode: undefined,
companyType: undefined,
companyTypeMultiple: undefined,
companyLogo: undefined,
appType: undefined,
domain: undefined,
phone: undefined,
tel: undefined,
email: undefined,
invoiceHeader: undefined,
businessEntity: undefined,
startTime: undefined,
expirationTime: undefined,
version: undefined,
members: undefined,
users: undefined,
industryParent: undefined,
industryChild: undefined,
departments: undefined,
storage: undefined,
storageMax: undefined,
country: undefined,
province: undefined,
city: undefined,
region: undefined,
address: undefined,
longitude: undefined,
latitude: undefined,
comments: undefined,
authentication: undefined,
authoritative: undefined,
requestUrl: undefined,
socketUrl: undefined,
serverUrl: undefined,
modulesUrl: undefined,
recommend: undefined,
likes: undefined,
clicks: undefined,
buys: undefined,
isTax: undefined,
planId: undefined,
status: undefined,
sortNumber: undefined,
userId: undefined,
deleted: undefined,
tenantId: undefined,
createTime: undefined,
updateTime: undefined,
oaCompanyId: undefined,
oaCompanyName: '',
status: 0,
comments: '',
sortNumber: 100,
kbId: undefined,
libraryIds: undefined,
});
/* 更新visible */
const updateVisible = (value: boolean) => {
emit('update:visible', value);
};
// 表单验证规则
const rules = reactive({
oaCompanyName: [
{
required: true,
type: 'string',
message: '请填写单位信息名称',
trigger: 'blur'
}
]
});
const chooseImage = (data: FileRecord) => {
images.value.push({
uid: data.id,
url: data.path,
status: 'done'
});
form.companyLogo = data.path;
};
const onDeleteItem = (index: number) => {
images.value.splice(index, 1);
form.companyLogo = '';
};
// 获取资料库列表
const fetchLibraries = () => {
return listPwlProjectLibrary().then(res => {
allLibraries.value = res;
// 过滤行业库 (type='biz')
bizLibList.value = res
.filter(item => item.type === 'biz')
.map(item => ({
label: item.name,
value: String(item.id) // 将 ID 转换为字符串
}));
// 过滤公共库 (type='pub')
pubLibList.value = res
.filter(item => item.type === 'pub')
.map(item => ({
label: item.name,
value: String(item.id) // 将 ID 转换为字符串
}));
return res;
});
};
const { resetFields } = useForm(form, rules);
/* 保存编辑 */
const save = () => {
if (!formRef.value) {
return;
}
formRef.value
.validate()
.then(() => {
loading.value = true;
// 合并行业库和公共库的ID到libraryIds
const allLibraryIds = [
...(form.bizLibIds || []),
...(form.pubLibIds || [])
]
const formData = {
...form,
libraryIds: allLibraryIds.join(','), // 保存为逗号分隔的字符串
};
const saveOrUpdate = isUpdate.value ? updateOaCompany : addOaCompany;
saveOrUpdate(formData)
.then((msg) => {
loading.value = false;
message.success(msg);
updateVisible(false);
emit('done');
})
.catch((e) => {
loading.value = false;
message.error(e.message);
});
})
.catch(() => {});
};
// 设置资料库回显
const setLibraryEcho = () => {
if (props.data?.libraryIds) {
// 如果是字符串,按逗号分割成数组
if (typeof props.data.libraryIds === 'string') {
const libraryIdsArray = props.data.libraryIds.split(',').filter(id => id.trim() !== '');
// 清空当前的选择
form.bizLibIds = [];
form.pubLibIds = [];
// 根据资料库类型分别设置回显
libraryIdsArray.forEach(id => {
// 检查是否在行业库列表中
const isBizLib = bizLibList.value.some(lib => lib.value === String(id)); // 转换为字符串比较
// 检查是否在公共库列表中
const isPubLib = pubLibList.value.some(lib => lib.value === String(id)); // 转换为字符串比较
if (isBizLib) {
form.bizLibIds.push(String(id)); // 确保存储为字符串
}
if (isPubLib) {
form.pubLibIds.push(String(id)); // 确保存储为字符串
}
});
} else {
// 如果是数组,直接使用相同的逻辑
form.bizLibIds = [];
form.pubLibIds = [];
props.data.libraryIds.forEach(id => {
const isBizLib = bizLibList.value.some(lib => lib.value === String(id));
const isPubLib = pubLibList.value.some(lib => lib.value === String(id));
if (isBizLib) {
form.bizLibIds.push(String(id));
}
if (isPubLib) {
form.pubLibIds.push(String(id));
}
});
}
} else {
form.bizLibIds = [];
form.pubLibIds = [];
}
};
watch(
() => props.visible,
async (visible) => {
if (visible) {
// 等待资料库列表加载完成后再设置回显
await fetchLibraries();
images.value = [];
if (props.data) {
assignObject(form, props.data);
if(props.data.companyLogo){
images.value.push({
uid: uuid(),
url: props.data.companyLogo,
status: 'done'
})
}
// 设置资料库回显
setLibraryEcho();
isUpdate.value = true;
} else {
isUpdate.value = false;
}
} else {
resetFields();
}
},
{ immediate: true }
);
</script>

View File

@@ -0,0 +1,42 @@
<!-- 搜索表单 -->
<template>
<a-space :size="10" style="flex-wrap: wrap">
<a-button type="primary" class="ele-btn-icon" @click="add">
<template #icon>
<PlusOutlined />
</template>
<span>添加</span>
</a-button>
</a-space>
</template>
<script lang="ts" setup>
import { PlusOutlined } from '@ant-design/icons-vue';
import type { GradeParam } from '@/api/user/grade/model';
import { watch } from 'vue';
const props = withDefaults(
defineProps<{
// 选中的角色
selection?: [];
}>(),
{}
);
const emit = defineEmits<{
(e: 'search', where?: GradeParam): void;
(e: 'add'): void;
(e: 'remove'): void;
(e: 'batchMove'): void;
}>();
// 新增
const add = () => {
emit('add');
};
watch(
() => props.selection,
() => {}
);
</script>

File diff suppressed because it is too large Load Diff

View File

@@ -0,0 +1,212 @@
<!-- 编辑弹窗 -->
<template>
<ele-modal
:width="800"
:visible="visible"
:maskClosable="false"
:maxable="maxable"
:title="isUpdate ? '编辑企业参数' : '添加企业参数'"
:body-style="{ paddingBottom: '28px' }"
@update:visible="updateVisible"
@ok="save"
>
<a-form
ref="formRef"
:model="form"
:rules="rules"
:label-col="styleResponsive ? { md: 4, sm: 5, xs: 24 } : { flex: '90px' }"
:wrapper-col="
styleResponsive ? { md: 19, sm: 19, xs: 24 } : { flex: '1' }
"
>
<a-form-item label="企业ID" name="companyId">
<a-input
allow-clear
placeholder="请输入企业ID"
v-model:value="form.companyId"
/>
</a-form-item>
<a-form-item label="名称" name="name">
<a-input
allow-clear
placeholder="请输入名称"
v-model:value="form.name"
/>
</a-form-item>
<a-form-item label="备注" name="comments">
<a-textarea
:rows="4"
:maxlength="200"
placeholder="请输入描述"
v-model:value="form.comments"
/>
</a-form-item>
<a-form-item label="用户ID" name="userId">
<a-input
allow-clear
placeholder="请输入用户ID"
v-model:value="form.userId"
/>
</a-form-item>
<a-form-item label="状态, 0正常, 1删除" name="status">
<a-radio-group v-model:value="form.status">
<a-radio :value="0">显示</a-radio>
<a-radio :value="1">隐藏</a-radio>
</a-radio-group>
</a-form-item>
<a-form-item label="排序(数字越小越靠前)" name="sortNumber">
<a-input-number
:min="0"
:max="9999"
class="ele-fluid"
placeholder="请输入排序号"
v-model:value="form.sortNumber"
/>
</a-form-item>
</a-form>
</ele-modal>
</template>
<script lang="ts" setup>
import { ref, reactive, watch } from 'vue';
import { Form, message } from 'ant-design-vue';
import { assignObject, uuid } from 'ele-admin-pro';
import { addOaCompanyField, updateOaCompanyField } from '@/api/oa/oaCompanyField';
import { OaCompanyField } from '@/api/oa/oaCompanyField/model';
import { useThemeStore } from '@/store/modules/theme';
import { storeToRefs } from 'pinia';
import { ItemType } from 'ele-admin-pro/es/ele-image-upload/types';
import { FormInstance } from 'ant-design-vue/es/form';
import { FileRecord } from '@/api/system/file/model';
// 是否是修改
const isUpdate = ref(false);
const useForm = Form.useForm;
// 是否开启响应式布局
const themeStore = useThemeStore();
const { styleResponsive } = storeToRefs(themeStore);
const props = defineProps<{
// 弹窗是否打开
visible: boolean;
// 修改回显的数据
data?: OaCompanyField | null;
}>();
const emit = defineEmits<{
(e: 'done'): void;
(e: 'update:visible', visible: boolean): void;
}>();
// 提交状态
const loading = ref(false);
// 是否显示最大化切换按钮
const maxable = ref(true);
// 表格选中数据
const formRef = ref<FormInstance | null>(null);
const images = ref<ItemType[]>([]);
// 用户信息
const form = reactive<OaCompanyField>({
id: undefined,
companyId: undefined,
name: undefined,
comments: undefined,
userId: undefined,
status: undefined,
sortNumber: undefined,
tenantId: undefined,
createTime: undefined,
oaCompanyFieldId: undefined,
oaCompanyFieldName: '',
status: 0,
comments: '',
sortNumber: 100
});
/* 更新visible */
const updateVisible = (value: boolean) => {
emit('update:visible', value);
};
// 表单验证规则
const rules = reactive({
oaCompanyFieldName: [
{
required: true,
type: 'string',
message: '请填写企业参数名称',
trigger: 'blur'
}
]
});
const chooseImage = (data: FileRecord) => {
images.value.push({
uid: data.id,
url: data.path,
status: 'done'
});
form.image = data.path;
};
const onDeleteItem = (index: number) => {
images.value.splice(index, 1);
form.image = '';
};
const { resetFields } = useForm(form, rules);
/* 保存编辑 */
const save = () => {
if (!formRef.value) {
return;
}
formRef.value
.validate()
.then(() => {
loading.value = true;
const formData = {
...form
};
const saveOrUpdate = isUpdate.value ? updateOaCompanyField : addOaCompanyField;
saveOrUpdate(formData)
.then((msg) => {
loading.value = false;
message.success(msg);
updateVisible(false);
emit('done');
})
.catch((e) => {
loading.value = false;
message.error(e.message);
});
})
.catch(() => {});
};
watch(
() => props.visible,
(visible) => {
if (visible) {
images.value = [];
if (props.data) {
assignObject(form, props.data);
if(props.data.image){
images.value.push({
uid: uuid(),
url: props.data.image,
status: 'done'
})
}
isUpdate.value = true;
} else {
isUpdate.value = false;
}
} else {
resetFields();
}
},
{ immediate: true }
);
</script>

View File

@@ -0,0 +1,42 @@
<!-- 搜索表单 -->
<template>
<a-space :size="10" style="flex-wrap: wrap">
<a-button type="primary" class="ele-btn-icon" @click="add">
<template #icon>
<PlusOutlined />
</template>
<span>添加</span>
</a-button>
</a-space>
</template>
<script lang="ts" setup>
import { PlusOutlined } from '@ant-design/icons-vue';
import type { GradeParam } from '@/api/user/grade/model';
import { watch } from 'vue';
const props = withDefaults(
defineProps<{
// 选中的角色
selection?: [];
}>(),
{}
);
const emit = defineEmits<{
(e: 'search', where?: GradeParam): void;
(e: 'add'): void;
(e: 'remove'): void;
(e: 'batchMove'): void;
}>();
// 新增
const add = () => {
emit('add');
};
watch(
() => props.selection,
() => {}
);
</script>

View File

@@ -0,0 +1,251 @@
<template>
<div class="page">
<div class="ele-body">
<a-card :bordered="false" :body-style="{ padding: '16px' }">
<ele-pro-table
ref="tableRef"
row-key="oaCompanyFieldId"
:columns="columns"
:datasource="datasource"
:customRow="customRow"
tool-class="ele-toolbar-form"
class="sys-org-table"
>
<template #toolbar>
<search
@search="reload"
:selection="selection"
@add="openEdit"
@remove="removeBatch"
@batchMove="openMove"
/>
</template>
<template #bodyCell="{ column, record }">
<template v-if="column.key === 'image'">
<a-image :src="record.image" :width="50" />
</template>
<template v-if="column.key === 'status'">
<a-tag v-if="record.status === 0" color="green">显示</a-tag>
<a-tag v-if="record.status === 1" color="red">隐藏</a-tag>
</template>
<template v-if="column.key === 'action'">
<a-space>
<a @click="openEdit(record)">修改</a>
<a-divider type="vertical" />
<a-popconfirm
title="确定要删除此记录吗?"
@confirm="remove(record)"
>
<a class="ele-text-danger">删除</a>
</a-popconfirm>
</a-space>
</template>
</template>
</ele-pro-table>
</a-card>
<!-- 编辑弹窗 -->
<OaCompanyFieldEdit v-model:visible="showEdit" :data="current" @done="reload" />
</div>
</div>
</template>
<script lang="ts" setup>
import { createVNode, ref } from 'vue';
import { message, Modal } from 'ant-design-vue';
import { ExclamationCircleOutlined } from '@ant-design/icons-vue';
import type { EleProTable } from 'ele-admin-pro';
import { toDateString } from 'ele-admin-pro';
import type {
DatasourceFunction,
ColumnItem
} from 'ele-admin-pro/es/ele-pro-table/types';
import Search from './components/search.vue';
import OaCompanyFieldEdit from './components/oaCompanyFieldEdit.vue';
import { pageOaCompanyField, removeOaCompanyField, removeBatchOaCompanyField } from '@/api/oa/oaCompanyField';
import type { OaCompanyField, OaCompanyFieldParam } from '@/api/oa/oaCompanyField/model';
// 表格实例
const tableRef = ref<InstanceType<typeof EleProTable> | null>(null);
// 表格选中数据
const selection = ref<OaCompanyField[]>([]);
// 当前编辑数据
const current = ref<OaCompanyField | null>(null);
// 是否显示编辑弹窗
const showEdit = ref(false);
// 是否显示批量移动弹窗
const showMove = ref(false);
// 加载状态
const loading = ref(true);
// 表格数据源
const datasource: DatasourceFunction = ({
page,
limit,
where,
orders,
filters
}) => {
if (filters) {
where.status = filters.status;
}
return pageOaCompanyField({
...where,
...orders,
page,
limit
});
};
// 表格列配置
const columns = ref<ColumnItem[]>([
{
title: '自增ID',
dataIndex: 'id',
key: 'id',
align: 'center',
width: 90,
},
{
title: '企业ID',
dataIndex: 'companyId',
key: 'companyId',
align: 'center',
},
{
title: '名称',
dataIndex: 'name',
key: 'name',
align: 'center',
},
{
title: '备注',
dataIndex: 'comments',
key: 'comments',
align: 'center',
},
{
title: '用户ID',
dataIndex: 'userId',
key: 'userId',
align: 'center',
},
{
title: '状态, 0正常, 1删除',
dataIndex: 'status',
key: 'status',
align: 'center',
},
{
title: '排序(数字越小越靠前)',
dataIndex: 'sortNumber',
key: 'sortNumber',
align: 'center',
},
{
title: '创建时间',
dataIndex: 'createTime',
key: 'createTime',
align: 'center',
sorter: true,
ellipsis: true,
customRender: ({ text }) => toDateString(text, 'yyyy-MM-dd')
},
{
title: '操作',
key: 'action',
width: 180,
fixed: 'right',
align: 'center',
hideInSetting: true
}
]);
/* 搜索 */
const reload = (where?: OaCompanyFieldParam) => {
selection.value = [];
tableRef?.value?.reload({ where: where });
};
/* 打开编辑弹窗 */
const openEdit = (row?: OaCompanyField) => {
current.value = row ?? null;
showEdit.value = true;
};
/* 打开批量移动弹窗 */
const openMove = () => {
showMove.value = true;
};
/* 删除单个 */
const remove = (row: OaCompanyField) => {
const hide = message.loading('请求中..', 0);
removeOaCompanyField(row.oaCompanyFieldId)
.then((msg) => {
hide();
message.success(msg);
reload();
})
.catch((e) => {
hide();
message.error(e.message);
});
};
/* 批量删除 */
const removeBatch = () => {
if (!selection.value.length) {
message.error('请至少选择一条数据');
return;
}
Modal.confirm({
title: '提示',
content: '确定要删除选中的记录吗?',
icon: createVNode(ExclamationCircleOutlined),
maskClosable: true,
onOk: () => {
const hide = message.loading('请求中..', 0);
removeBatchOaCompanyField(selection.value.map((d) => d.oaCompanyFieldId))
.then((msg) => {
hide();
message.success(msg);
reload();
})
.catch((e) => {
hide();
message.error(e.message);
});
}
});
};
/* 查询 */
const query = () => {
loading.value = true;
};
/* 自定义行属性 */
const customRow = (record: OaCompanyField) => {
return {
// 行点击事件
onClick: () => {
// console.log(record);
},
// 行双击事件
onDblclick: () => {
openEdit(record);
}
};
};
query();
</script>
<script lang="ts">
export default {
name: 'OaCompanyField'
};
</script>
<style lang="less" scoped></style>

View File

@@ -0,0 +1,201 @@
<!-- 编辑弹窗 -->
<template>
<ele-modal
:width="800"
:visible="visible"
:maskClosable="false"
:maxable="maxable"
:title="isUpdate ? '编辑成员管理' : '添加成员管理'"
:body-style="{ paddingBottom: '28px' }"
@update:visible="updateVisible"
@ok="save"
>
<a-form
ref="formRef"
:model="form"
:rules="rules"
:label-col="styleResponsive ? { md: 4, sm: 5, xs: 24 } : { flex: '90px' }"
:wrapper-col="
styleResponsive ? { md: 19, sm: 19, xs: 24 } : { flex: '1' }
"
>
<a-form-item label="角色10体验成员 20开发者成员 30管理员 " name="role">
<a-input
allow-clear
placeholder="请输入角色10体验成员 20开发者成员 30管理员 "
v-model:value="form.role"
/>
</a-form-item>
<a-form-item label="用户ID" name="userId">
<a-input
allow-clear
placeholder="请输入用户ID"
v-model:value="form.userId"
/>
</a-form-item>
<a-form-item label="企业ID" name="companyId">
<a-input
allow-clear
placeholder="请输入企业ID"
v-model:value="form.companyId"
/>
</a-form-item>
<a-form-item label="昵称" name="nickname">
<a-input
allow-clear
placeholder="请输入昵称"
v-model:value="form.nickname"
/>
</a-form-item>
<a-form-item label="状态, 0正常, 1待确认" name="status">
<a-radio-group v-model:value="form.status">
<a-radio :value="0">显示</a-radio>
<a-radio :value="1">隐藏</a-radio>
</a-radio-group>
</a-form-item>
</a-form>
</ele-modal>
</template>
<script lang="ts" setup>
import { ref, reactive, watch } from 'vue';
import { Form, message } from 'ant-design-vue';
import { assignObject, uuid } from 'ele-admin-pro';
import { addOaCompanyUser, updateOaCompanyUser } from '@/api/oa/oaCompanyUser';
import { OaCompanyUser } from '@/api/oa/oaCompanyUser/model';
import { useThemeStore } from '@/store/modules/theme';
import { storeToRefs } from 'pinia';
import { ItemType } from 'ele-admin-pro/es/ele-image-upload/types';
import { FormInstance } from 'ant-design-vue/es/form';
import { FileRecord } from '@/api/system/file/model';
// 是否是修改
const isUpdate = ref(false);
const useForm = Form.useForm;
// 是否开启响应式布局
const themeStore = useThemeStore();
const { styleResponsive } = storeToRefs(themeStore);
const props = defineProps<{
// 弹窗是否打开
visible: boolean;
// 修改回显的数据
data?: OaCompanyUser | null;
}>();
const emit = defineEmits<{
(e: 'done'): void;
(e: 'update:visible', visible: boolean): void;
}>();
// 提交状态
const loading = ref(false);
// 是否显示最大化切换按钮
const maxable = ref(true);
// 表格选中数据
const formRef = ref<FormInstance | null>(null);
const images = ref<ItemType[]>([]);
// 用户信息
const form = reactive<OaCompanyUser>({
companyUserId: undefined,
role: undefined,
userId: undefined,
companyId: undefined,
nickname: undefined,
status: undefined,
tenantId: undefined,
createTime: undefined,
oaCompanyUserId: undefined,
oaCompanyUserName: '',
status: 0,
comments: '',
sortNumber: 100
});
/* 更新visible */
const updateVisible = (value: boolean) => {
emit('update:visible', value);
};
// 表单验证规则
const rules = reactive({
oaCompanyUserName: [
{
required: true,
type: 'string',
message: '请填写成员管理名称',
trigger: 'blur'
}
]
});
const chooseImage = (data: FileRecord) => {
images.value.push({
uid: data.id,
url: data.path,
status: 'done'
});
form.image = data.path;
};
const onDeleteItem = (index: number) => {
images.value.splice(index, 1);
form.image = '';
};
const { resetFields } = useForm(form, rules);
/* 保存编辑 */
const save = () => {
if (!formRef.value) {
return;
}
formRef.value
.validate()
.then(() => {
loading.value = true;
const formData = {
...form
};
const saveOrUpdate = isUpdate.value ? updateOaCompanyUser : addOaCompanyUser;
saveOrUpdate(formData)
.then((msg) => {
loading.value = false;
message.success(msg);
updateVisible(false);
emit('done');
})
.catch((e) => {
loading.value = false;
message.error(e.message);
});
})
.catch(() => {});
};
watch(
() => props.visible,
(visible) => {
if (visible) {
images.value = [];
if (props.data) {
assignObject(form, props.data);
if(props.data.image){
images.value.push({
uid: uuid(),
url: props.data.image,
status: 'done'
})
}
isUpdate.value = true;
} else {
isUpdate.value = false;
}
} else {
resetFields();
}
},
{ immediate: true }
);
</script>

View File

@@ -0,0 +1,42 @@
<!-- 搜索表单 -->
<template>
<a-space :size="10" style="flex-wrap: wrap">
<a-button type="primary" class="ele-btn-icon" @click="add">
<template #icon>
<PlusOutlined />
</template>
<span>添加</span>
</a-button>
</a-space>
</template>
<script lang="ts" setup>
import { PlusOutlined } from '@ant-design/icons-vue';
import type { GradeParam } from '@/api/user/grade/model';
import { watch } from 'vue';
const props = withDefaults(
defineProps<{
// 选中的角色
selection?: [];
}>(),
{}
);
const emit = defineEmits<{
(e: 'search', where?: GradeParam): void;
(e: 'add'): void;
(e: 'remove'): void;
(e: 'batchMove'): void;
}>();
// 新增
const add = () => {
emit('add');
};
watch(
() => props.selection,
() => {}
);
</script>

View File

@@ -0,0 +1,245 @@
<template>
<div class="page">
<div class="ele-body">
<a-card :bordered="false" :body-style="{ padding: '16px' }">
<ele-pro-table
ref="tableRef"
row-key="oaCompanyUserId"
:columns="columns"
:datasource="datasource"
:customRow="customRow"
tool-class="ele-toolbar-form"
class="sys-org-table"
>
<template #toolbar>
<search
@search="reload"
:selection="selection"
@add="openEdit"
@remove="removeBatch"
@batchMove="openMove"
/>
</template>
<template #bodyCell="{ column, record }">
<template v-if="column.key === 'image'">
<a-image :src="record.image" :width="50" />
</template>
<template v-if="column.key === 'status'">
<a-tag v-if="record.status === 0" color="green">显示</a-tag>
<a-tag v-if="record.status === 1" color="red">隐藏</a-tag>
</template>
<template v-if="column.key === 'action'">
<a-space>
<a @click="openEdit(record)">修改</a>
<a-divider type="vertical" />
<a-popconfirm
title="确定要删除此记录吗?"
@confirm="remove(record)"
>
<a class="ele-text-danger">删除</a>
</a-popconfirm>
</a-space>
</template>
</template>
</ele-pro-table>
</a-card>
<!-- 编辑弹窗 -->
<OaCompanyUserEdit v-model:visible="showEdit" :data="current" @done="reload" />
</div>
</div>
</template>
<script lang="ts" setup>
import { createVNode, ref } from 'vue';
import { message, Modal } from 'ant-design-vue';
import { ExclamationCircleOutlined } from '@ant-design/icons-vue';
import type { EleProTable } from 'ele-admin-pro';
import { toDateString } from 'ele-admin-pro';
import type {
DatasourceFunction,
ColumnItem
} from 'ele-admin-pro/es/ele-pro-table/types';
import Search from './components/search.vue';
import OaCompanyUserEdit from './components/oaCompanyUserEdit.vue';
import { pageOaCompanyUser, removeOaCompanyUser, removeBatchOaCompanyUser } from '@/api/oa/oaCompanyUser';
import type { OaCompanyUser, OaCompanyUserParam } from '@/api/oa/oaCompanyUser/model';
// 表格实例
const tableRef = ref<InstanceType<typeof EleProTable> | null>(null);
// 表格选中数据
const selection = ref<OaCompanyUser[]>([]);
// 当前编辑数据
const current = ref<OaCompanyUser | null>(null);
// 是否显示编辑弹窗
const showEdit = ref(false);
// 是否显示批量移动弹窗
const showMove = ref(false);
// 加载状态
const loading = ref(true);
// 表格数据源
const datasource: DatasourceFunction = ({
page,
limit,
where,
orders,
filters
}) => {
if (filters) {
where.status = filters.status;
}
return pageOaCompanyUser({
...where,
...orders,
page,
limit
});
};
// 表格列配置
const columns = ref<ColumnItem[]>([
{
title: '自增ID',
dataIndex: 'companyUserId',
key: 'companyUserId',
align: 'center',
width: 90,
},
{
title: '角色10体验成员 20开发者成员 30管理员 ',
dataIndex: 'role',
key: 'role',
align: 'center',
},
{
title: '用户ID',
dataIndex: 'userId',
key: 'userId',
align: 'center',
},
{
title: '企业ID',
dataIndex: 'companyId',
key: 'companyId',
align: 'center',
},
{
title: '昵称',
dataIndex: 'nickname',
key: 'nickname',
align: 'center',
},
{
title: '状态, 0正常, 1待确认',
dataIndex: 'status',
key: 'status',
align: 'center',
},
{
title: '创建时间',
dataIndex: 'createTime',
key: 'createTime',
align: 'center',
sorter: true,
ellipsis: true,
customRender: ({ text }) => toDateString(text, 'yyyy-MM-dd')
},
{
title: '操作',
key: 'action',
width: 180,
fixed: 'right',
align: 'center',
hideInSetting: true
}
]);
/* 搜索 */
const reload = (where?: OaCompanyUserParam) => {
selection.value = [];
tableRef?.value?.reload({ where: where });
};
/* 打开编辑弹窗 */
const openEdit = (row?: OaCompanyUser) => {
current.value = row ?? null;
showEdit.value = true;
};
/* 打开批量移动弹窗 */
const openMove = () => {
showMove.value = true;
};
/* 删除单个 */
const remove = (row: OaCompanyUser) => {
const hide = message.loading('请求中..', 0);
removeOaCompanyUser(row.oaCompanyUserId)
.then((msg) => {
hide();
message.success(msg);
reload();
})
.catch((e) => {
hide();
message.error(e.message);
});
};
/* 批量删除 */
const removeBatch = () => {
if (!selection.value.length) {
message.error('请至少选择一条数据');
return;
}
Modal.confirm({
title: '提示',
content: '确定要删除选中的记录吗?',
icon: createVNode(ExclamationCircleOutlined),
maskClosable: true,
onOk: () => {
const hide = message.loading('请求中..', 0);
removeBatchOaCompanyUser(selection.value.map((d) => d.oaCompanyUserId))
.then((msg) => {
hide();
message.success(msg);
reload();
})
.catch((e) => {
hide();
message.error(e.message);
});
}
});
};
/* 查询 */
const query = () => {
loading.value = true;
};
/* 自定义行属性 */
const customRow = (record: OaCompanyUser) => {
return {
// 行点击事件
onClick: () => {
// console.log(record);
},
// 行双击事件
onDblclick: () => {
openEdit(record);
}
};
};
query();
</script>
<script lang="ts">
export default {
name: 'OaCompanyUser'
};
</script>
<style lang="less" scoped></style>