新增: 算法全局参数配置页面 + ROI 编辑器显示全局默认提示

This commit is contained in:
2026-04-09 17:09:58 +08:00
parent a82ccbd145
commit 6eea4e81cd
4 changed files with 494 additions and 5 deletions

View File

@@ -86,6 +86,7 @@ export namespace AiotDeviceApi {
description?: string;
isActive?: boolean;
paramSchema?: string;
globalParams?: string;
}
/** 媒体服务器 */
@@ -237,6 +238,14 @@ export function getAlgorithmList() {
);
}
/** 保存算法全局参数 */
export function saveAlgoGlobalParams(algoCode: string, globalParams: string) {
return wvpRequestClient.post(
`/aiot/device/algorithm/global-params/${algoCode}`,
{ globalParams },
);
}
// ==================== 算法绑定 ====================
/** 绑定算法到 ROI */

View File

@@ -0,0 +1,405 @@
<script setup lang="ts">
import type { AiotDeviceApi } from '#/api/aiot/device';
import { computed, onMounted, ref } from 'vue';
import {
Button,
Card,
Form,
InputNumber,
message,
Spin,
Tabs,
} from 'ant-design-vue';
import { getAlgorithmList, saveAlgoGlobalParams } from '#/api/aiot/device';
// 参数名中英文映射(与 AlgorithmParamEditor 保持一致)
const paramNameMap: Record<string, string> = {
leave_countdown_sec: '离岗倒计时(秒)',
working_hours: '工作时间段',
cooldown_seconds: '告警冷却期(秒)',
confirm_seconds: '确认时间(秒)',
confirm_intrusion_seconds: '入侵确认时间(秒)',
confirm_clear_seconds: '消失确认时间(秒)',
min_confidence: '最小置信度',
max_targets: '最大目标数',
detection_interval: '检测间隔(秒)',
enable_tracking: '启用跟踪',
tracking_timeout: '跟踪超时(秒)',
confirm_vehicle_sec: '车辆确认时间(秒)',
parking_countdown_sec: '违停倒计时(秒)',
confirm_clear_sec: '消失确认时间(秒)',
cooldown_sec: '告警冷却期(秒)',
count_threshold: '车辆数量阈值',
confirm_congestion_sec: '拥堵确认时间(秒)',
};
// 参数说明映射
const paramDescMap: Record<string, string> = {
leave_countdown_sec: '人员离开后,倒计时多少秒才触发离岗告警',
working_hours: '仅在指定时间段内进行监控留空表示24小时监控',
cooldown_seconds: '触发告警后,多少秒内不再重复告警(用于周界入侵等算法)',
confirm_seconds: '持续检测到人达到该时间后触发告警',
confirm_intrusion_seconds: '入侵确认:持续检测到人达到该时间后触发告警',
confirm_clear_seconds: '消失确认:持续无人达到该时间后自动结束告警',
confirm_vehicle_sec: '确认车辆停留的时间,超过该时间开始违停倒计时',
parking_countdown_sec: '确认有车后的违停等待时间,超过该时间触发违停告警',
confirm_clear_sec: '车辆离开后,持续无车达到该时间后自动结束告警',
cooldown_sec: '触发告警后,多少秒内不再重复告警',
count_threshold: '区域内车辆数量达到该值时判定为拥堵',
confirm_congestion_sec: '车辆数持续超过阈值达到该时间后触发拥堵告警',
};
const algorithms = ref<AiotDeviceApi.Algorithm[]>([]);
const activeTab = ref<string>('');
const loading = ref(false);
const saving = ref(false);
// 每个算法的表单数据: { algoCode: { paramKey: value } }
const formDataMap = ref<Record<string, Record<string, any>>>({});
// 记录用户修改过的字段
const dirtyFieldsMap = ref<Record<string, Set<string>>>({});
const currentAlgo = computed(() => {
return algorithms.value.find((a) => a.algoCode === activeTab.value);
});
const currentSchema = computed(() => {
const algo = currentAlgo.value;
if (!algo?.paramSchema) return {};
try {
return JSON.parse(algo.paramSchema);
} catch {
return {};
}
});
const currentFormData = computed(() => {
return formDataMap.value[activeTab.value] || {};
});
function getParamLabel(key: string): string {
return paramNameMap[key] || key;
}
function getParamDesc(key: string): string | undefined {
return paramDescMap[key];
}
onMounted(async () => {
await loadAlgorithms();
});
async function loadAlgorithms() {
loading.value = true;
try {
const data = await getAlgorithmList();
algorithms.value = Array.isArray(data) ? data : [];
if (algorithms.value.length > 0) {
activeTab.value = algorithms.value[0]!.algoCode || '';
// 初始化所有算法的表单数据
for (const algo of algorithms.value) {
initFormData(algo);
}
}
} catch {
message.error('加载算法列表失败');
} finally {
loading.value = false;
}
}
function initFormData(algo: AiotDeviceApi.Algorithm) {
const code = algo.algoCode || '';
let schema: Record<string, any> = {};
let globalParams: Record<string, any> = {};
try {
schema = JSON.parse(algo.paramSchema || '{}');
} catch { /* empty */ }
try {
globalParams = JSON.parse(algo.globalParams || '{}');
} catch { /* empty */ }
const form: Record<string, any> = {};
for (const key of Object.keys(schema)) {
// 优先用已保存的 globalParams 值,否则用 schema default
if (globalParams[key] !== undefined) {
form[key] = globalParams[key];
} else {
form[key] = schema[key]?.type === 'list'
? (schema[key]?.default || [])
: schema[key]?.default;
}
}
formDataMap.value[code] = form;
dirtyFieldsMap.value[code] = new Set();
}
function onFieldChange(key: string) {
const code = activeTab.value;
if (!dirtyFieldsMap.value[code]) {
dirtyFieldsMap.value[code] = new Set();
}
dirtyFieldsMap.value[code]!.add(key);
}
function getSchemaDefault(key: string): any {
return currentSchema.value[key]?.default;
}
function isModified(key: string): boolean {
const form = currentFormData.value;
const defaultVal = getSchemaDefault(key);
return form[key] !== defaultVal;
}
async function handleSave() {
const algo = currentAlgo.value;
if (!algo?.algoCode) return;
saving.value = true;
try {
const form = currentFormData.value;
const schema = currentSchema.value;
// 只保存与 paramSchema default 不同的字段
const toSave: Record<string, any> = {};
for (const key of Object.keys(schema)) {
const defaultVal = schema[key]?.default;
if (form[key] !== defaultVal) {
toSave[key] = form[key];
}
}
await saveAlgoGlobalParams(algo.algoCode, JSON.stringify(toSave));
message.success('全局参数保存成功');
// 更新本地算法数据
algo.globalParams = JSON.stringify(toSave);
dirtyFieldsMap.value[algo.algoCode] = new Set();
} catch (err: any) {
const errorMsg =
err?.response?.data?.msg ||
err?.response?.data?.message ||
err?.message ||
'保存失败';
message.error(errorMsg);
} finally {
saving.value = false;
}
}
function resetToDefault(key: string) {
const code = activeTab.value;
const defaultVal = getSchemaDefault(key);
if (formDataMap.value[code]) {
formDataMap.value[code]![key] = defaultVal;
onFieldChange(key);
}
}
/** 判断字段是否为不适合在全局配置中编辑的类型 */
function isSkippedField(key: string, schema: any): boolean {
// working_hours 和 list 类型在全局配置中跳过(场景差异大,不适合全局设置)
return key === 'working_hours' || schema.type === 'list';
}
</script>
<template>
<div class="algo-global-config">
<Card title="算法全局参数配置">
<template #extra>
<span class="card-tip">
配置各算法的全局默认参数ROI 绑定时将以此为默认值
</span>
</template>
<Spin :spinning="loading">
<div v-if="algorithms.length === 0 && !loading" class="empty-state">
暂无可用算法
</div>
<Tabs
v-if="algorithms.length > 0"
v-model:activeKey="activeTab"
type="card"
>
<Tabs.TabPane
v-for="algo in algorithms"
:key="algo.algoCode"
:tab="algo.algoName || algo.algoCode"
>
<div class="algo-desc" v-if="algo.description">
{{ algo.description }}
</div>
<Form
layout="horizontal"
:label-col="{ span: 6 }"
:wrapper-col="{ span: 14 }"
class="param-form"
>
<template
v-for="(schema, key) in currentSchema"
:key="key"
>
<Form.Item
v-if="!isSkippedField(String(key), schema)"
:label="getParamLabel(String(key))"
>
<!-- 整数类型 -->
<template v-if="schema.type === 'int'">
<div class="field-row">
<InputNumber
v-model:value="currentFormData[String(key)]"
:min="schema.min"
:placeholder="`默认: ${schema.default}`"
style="width: 200px"
@change="onFieldChange(String(key))"
/>
<Button
v-if="isModified(String(key))"
size="small"
type="link"
@click="resetToDefault(String(key))"
>
恢复默认
</Button>
</div>
<div v-if="getParamDesc(String(key))" class="param-desc">
{{ getParamDesc(String(key)) }}
</div>
<div class="schema-default">
Schema 默认值: {{ schema.default }}
</div>
</template>
<!-- 浮点数类型 -->
<template v-else-if="schema.type === 'float'">
<div class="field-row">
<InputNumber
v-model:value="currentFormData[String(key)]"
:min="schema.min"
:max="schema.max"
:step="0.01"
:placeholder="`默认: ${schema.default}`"
style="width: 200px"
@change="onFieldChange(String(key))"
/>
<Button
v-if="isModified(String(key))"
size="small"
type="link"
@click="resetToDefault(String(key))"
>
恢复默认
</Button>
</div>
<div v-if="getParamDesc(String(key))" class="param-desc">
{{ getParamDesc(String(key)) }}
</div>
<div class="schema-default">
Schema 默认值: {{ schema.default }}
</div>
</template>
</Form.Item>
</template>
</Form>
<div class="form-footer">
<Button
type="primary"
:loading="saving"
@click="handleSave"
>
保存全局参数
</Button>
</div>
</Tabs.TabPane>
</Tabs>
</Spin>
<!-- 帮助说明 -->
<div class="help-tip">
<span class="help-text">
全局参数为各算法的默认配置 ROI 绑定算法时未单独设置参数将使用此处的全局默认值修改后需重新推送配置到边缘端才能生效
</span>
</div>
</Card>
</div>
</template>
<style scoped>
.algo-global-config {
padding: 16px;
}
.card-tip {
font-size: 13px;
color: #8c8c8c;
}
.empty-state {
text-align: center;
padding: 40px 0;
color: #999;
font-size: 14px;
}
.algo-desc {
margin-bottom: 16px;
padding: 8px 12px;
background: #fafafa;
border-radius: 4px;
font-size: 13px;
color: #666;
}
.param-form {
max-width: 700px;
}
.field-row {
display: flex;
align-items: center;
gap: 8px;
}
.param-desc {
margin-top: 4px;
font-size: 12px;
color: #8c8c8c;
line-height: 1.5;
}
.schema-default {
margin-top: 2px;
font-size: 11px;
color: #bfbfbf;
}
.form-footer {
margin-top: 24px;
padding-top: 16px;
border-top: 1px solid #f0f0f0;
}
.help-tip {
display: flex;
align-items: center;
gap: 8px;
margin-top: 16px;
padding: 12px;
background: #e6f4ff;
border: 1px solid #91caff;
border-radius: 6px;
font-size: 13px;
color: #0958d9;
}
.help-text {
flex: 1;
}
</style>

View File

@@ -22,6 +22,7 @@ interface Props {
bindId: string;
priority?: number;
enabled?: number;
globalParams?: string;
}
const props = withDefaults(defineProps<Props>(), {
@@ -31,6 +32,7 @@ const props = withDefaults(defineProps<Props>(), {
bindId: '',
priority: 0,
enabled: 1,
globalParams: '{}',
});
const emit = defineEmits<{
@@ -94,6 +96,33 @@ function getParamDesc(key: string): string | undefined {
return paramDescMap[key];
}
// 解析全局参数
const parsedGlobalParams = computed(() => {
try {
return JSON.parse(props.globalParams);
} catch {
return {};
}
});
// 获取全局默认值(如果有)
function getGlobalDefault(key: string): any {
return parsedGlobalParams.value[key];
}
// 是否有全局默认值
function hasGlobalDefault(key: string): boolean {
return parsedGlobalParams.value[key] !== undefined;
}
// 重置为全局默认值
function resetToGlobalDefault(key: string) {
const globalVal = getGlobalDefault(key);
if (globalVal !== undefined) {
formData.value[key] = globalVal;
}
}
const parsedSchema = computed(() => {
try {
return JSON.parse(props.paramSchema);
@@ -283,6 +312,17 @@ function validateParams(params: Record<string, any>): {
<div v-if="getParamDesc(String(key))" class="param-desc">
{{ getParamDesc(String(key)) }}
</div>
<div v-if="hasGlobalDefault(String(key))" class="global-default-hint">
<span>全局默认: {{ getGlobalDefault(String(key)) }}</span>
<Button
size="small"
type="link"
class="reset-btn"
@click="resetToGlobalDefault(String(key))"
>
重置为全局默认
</Button>
</div>
</template>
<!-- 工作时间段特殊处理 -->
@@ -325,11 +365,23 @@ function validateParams(params: Record<string, any>): {
</div>
<!-- 字符串类型 -->
<Input
v-else
v-model:value="formData[String(key)]"
:placeholder="`默认: ${schema.default}`"
/>
<template v-else>
<Input
v-model:value="formData[String(key)]"
:placeholder="`默认: ${schema.default}`"
/>
<div v-if="hasGlobalDefault(String(key))" class="global-default-hint">
<span>全局默认: {{ getGlobalDefault(String(key)) }}</span>
<Button
size="small"
type="link"
class="reset-btn"
@click="resetToGlobalDefault(String(key))"
>
重置为全局默认
</Button>
</div>
</template>
</Form.Item>
</Form>
@@ -371,4 +423,20 @@ function validateParams(params: Record<string, any>): {
color: #8c8c8c;
line-height: 1.5;
}
.global-default-hint {
display: flex;
align-items: center;
gap: 4px;
margin-top: 2px;
font-size: 12px;
color: #bfbfbf;
}
.reset-btn {
padding: 0 4px;
font-size: 12px;
height: auto;
line-height: 1.5;
}
</style>

View File

@@ -63,6 +63,7 @@ const currentParams = ref('{}');
const currentBindId = ref('');
const currentPriority = ref(0);
const currentEnabled = ref(1);
const currentGlobalParams = ref('{}');
watch(
() => props.roiId,
@@ -128,6 +129,11 @@ function openParamEditor(item: AiotDeviceApi.RoiAlgoBinding) {
currentParamSchema.value = item.algorithm?.paramSchema || '{}';
currentPriority.value = item.bind.priority ?? 0;
currentEnabled.value = item.bind.enabled ?? 1;
// 查找该算法的全局参数
const algo = availableAlgorithms.value.find(
(a) => a.algoCode === item.bind.algoCode,
);
currentGlobalParams.value = algo?.globalParams || '{}';
paramEditorOpen.value = true;
}
@@ -307,6 +313,7 @@ async function onAlarmLevelChange(item: AiotDeviceApi.RoiAlgoBinding, level: num
:bind-id="currentBindId"
:priority="currentPriority"
:enabled="currentEnabled"
:global-params="currentGlobalParams"
@saved="onParamSaved"
/>
</div>