折线图的表格图例
<!--折线图-->
<template><div class="title-container"><span class="title">{{typeof props.series === 'string' ? props.series : props.series.name}}</span></div><div v-if="props.series?.metrics?.length > 0" style="width: 100%"><Chartref="chartContainer":option="chartOption"style="width: 100%; height: 300px; margin-bottom: 8px"@datazoom="onDataZoom"/><a-table:data="legendList":pagination="false"row-key="name":columns="columns":scroll="{ y: '115px' }"column-resizable@row-click="handleRowCLick"@sorter-change="sorterChange"><template #name="{ record }"><a-space:class="{ 'highlighted-row': !record.checked && data.length !== legendList?.length }"><a-badge v-if="record.checked && data.length !== legendList?.length" status="normal" /><a-badge v-else :color="record.color" />{{ record.name }}</a-space></template><template #mean="{ record }"><spanv-if="props.series.unit !== 'Bit/s'":class="{ 'highlighted-row': !record.checked && data.length !== legendList?.length }">{{ record.mean }}{{ props.series.unit }}</span><spanv-else:class="{ 'highlighted-row': !record.checked && data.length !== legendList?.length }">{{ transUnit(record.mean, props.series.unit) }}</span></template><template #max="{ record }"><spanv-if="props.series.unit !== 'Bit/s'":class="{ 'highlighted-row': !record.checked && data.length !== legendList?.length }">{{ record.max }}{{ props.series.unit }}</span><spanv-else:class="{ 'highlighted-row': !record.checked && data.length !== legendList?.length }">{{ transUnit(record.max, props.series.unit) }}</span></template><template #last="{ record }"><spanv-if="props.series.unit !== 'Bit/s'":class="{ 'highlighted-row': !record.checked && data.length !== legendList?.length }">{{ record.last }}{{ props.series.unit }}</span><spanv-else:class="{ 'highlighted-row': !record.checked && data.length !== legendList?.length }">{{ transUnit(record.last, props.series.unit) }}</span></template></a-table></div><divv-else-if="props.loadingFailed"style="display: flex; align-items: center; justify-content: center; width: 100%; height: 423px"><a-space direction="vertical" size="medium" class="empty"><NoData /><span class="table__empty">暂无内容</span></a-space></div><divv-if="!props.loadingFailed"style="display: flex; align-items: center; justify-content: center; width: 100%; height: 423px"><a-space direction="vertical" size="medium" class="empty"><a-tooltip :content="props.failedMessage" background-color="rgb(var(--red-6))"><LoadingFailed style="cursor: pointer" /></a-tooltip><span class="table__empty">加载错误</span></a-space></div>
</template><script lang="ts" setup>import { watch, ref } from 'vue';import { TableColumnData } from '@arco-design/web-vue';import cloneDeep from 'lodash/cloneDeep';import NoData from '../../../assets/images/svg/ikon/no-data.svg';import LoadingFailed from '../../../assets/images/svg/ikon/loading-failed.svg';import useChartOption from '../../../hooks/chart-option';import { transSpeedUnit, transUnit, calculateMean, handleSorterChange } from './types/api';import color from './types/const';const props = defineProps({series: {type: Object || String,default() {return {};},},// 标志这个pannel请求结果是否成功loadingFailed: {type: Boolean,default() {return true;},},// 请求失败的tooltipfailedMessage: {type: String,default: '',},// xAxis的max,min值date: {type: Array<number>,default() {return [];},},});const chartContainer = ref<HTMLElement>();const emits = defineEmits(['update:zoom']);const xAxisMin = ref();const xAxisMax = ref();const data = ref<any[]>([]);const legendList = ref<any[]>([]);const copyData = ref<any[]>([]);/* 过滤图表数据和图例数据 */watch(() => props.series,() => {if (props.date[0] && props.date[1]) {xAxisMin.value = new Date(props.date[0] * 1000).toISOString();xAxisMax.value = new Date(props.date[1] * 1000).toISOString();}const threshold = props.series.connect_threshold * 1000; // 阈值单位为秒,需要转换成msdata.value = props.series.metrics?.map((item: any, index: number) => {/* 判断legend中是否含有negative_y_keyword关键字,含有的放到正轴 */const isNegative = item.legend.includes(props.series.negative_y_keyword);return {name: item.legend,type: 'line',symbol: 'none',data: item.values.map((value: any) => {let yValue = parseInt(value[1], 10);if (isNegative === true) {yValue = -yValue;}return [value[0], yValue];}),color: color[index % 10],lineStyle: {width: 1, // 设置曲线的粗细,单位为像素},areaStyle: { opacity: 0.1 }, // 设置曲线阴影的透明度};});// 两个点的时间超过阈值就不连起来,若相邻两项的时间间隔超过阈值,在两个数据项之间插入一个空数组const newData = data.value?.map((item: any) => {const newDataArray = [];for (let i = 0; i < item.data.length - 1; i++) {const currentTimestamp = new Date(item.data[i][0]).getTime();const nextTimestamp = new Date(item.data[i + 1][0]).getTime();const timeDiff = nextTimestamp - currentTimestamp;newDataArray.push(item.data[i]);if (timeDiff > threshold) {newDataArray.push([]);}}return { ...item, data: newDataArray };});data.value = newData;copyData.value = cloneDeep(data.value);legendList.value = props.series.metrics?.map((item: any, index: any) => {const values = item.values.map((entry: any) => entry[1]); // 提取值const mean = calculateMean(values).toFixed(2);const max = Math.max(...values);const last = values[values.length - 1];return {name: item.legend,mean,max,last,color: color[index % 10],checked: false,};});},{ immediate: true },);const columns: TableColumnData[] = [{title: '名称',dataIndex: 'name',width: 280,slotName: 'name',tooltip: true,ellipsis: true,},{title: 'Avg',dataIndex: 'mean',width: 50,slotName: 'mean',tooltip: true,ellipsis: true,sortable: { sortDirections: ['ascend', 'descend'], sorter: true },},{title: 'Max',dataIndex: 'max',width: 40,slotName: 'max',tooltip: true,ellipsis: true,sortable: { sortDirections: ['ascend', 'descend'], sorter: true },},{title: 'Last',dataIndex: 'last',width: 50,slotName: 'last',tooltip: true,ellipsis: true,sortable: { sortDirections: ['ascend', 'descend'], sorter: true },},];const { chartOption } = useChartOption(() => {return {animation: false,toolbox: {// itemSize: 0,feature: {dataZoom: {show: true,icon: { back: 'image/image.png' }, // 设置一个不存在的路径title: {zoom: '区域缩放',},},magicType: {type: ['line', 'bar', 'stack'],title: {line: '切换为折线图',bar: '切换为柱状图',stack: '堆叠',},},saveAsImage: {title: '保存为图片',},},},grid: {left: `${props.series.unit === 'Bit/s' ? '15%' : '6%'}`,right: '2%',top: '8%',bottom: '12%',},tooltip: {trigger: 'axis',formatter(params: any) {let result = '';if (props.series.unit === 'Bit/s') {params.forEach((param: any) => {const { seriesName } = param;const value = transSpeedUnit(param.value[1], props.series.unit);result += `<span style="display:inline-block;margin-right:5px;border-radius:50%;width:8px;height:8px;background-color:${param.color}"></span><span style="font-size:12px">${seriesName}</span> <span style="font-weight:500;font-size:12px">${value}</span><br>`;});} else {params.sort((a: any, b: any) => {return b.value[1] - a.value[1];});for (let i = 0; i < params.length; i++) {const { seriesName } = params[i];const value = params[i].value[1];result += `<span style="display:inline-block;margin-right:5px;border-radius:50%;width:8px;height:8px;background-color:${params[i].color}"></span><span style="font-size:12px">${seriesName}</span> <span style="font-weight:500;font-size:12px">${value}${props.series.unit}</span><br>`;}}return `<span style="font-weight:500">${new Date(params[0].value[0]).toLocaleString().replace(/\//g, '-')}</span><br>${result}`;},},xAxis: {type: 'time',axisTick: {show: false, // 不显示坐标轴轴线},axisLabel: {formatter: {year: '{yyyy}',month: '{MM}/{dd}',day: '{MM}/{dd}',hour: '{HH}:{mm}',minute: '{HH}:{mm}',second: '{HH}:{mm}',},},min: xAxisMin.value,max: xAxisMax.value,},yAxis: {scale: true,splitLine: {lineStyle: {type: 'dashed', // 虚线样式},},axisLabel: {formatter(value: string) {if (props.series.unit === 'Bit/s') {return `${transUnit(Number(value), props.series.unit)}`;}return `${value}${props.series.unit}`;},},},series: data.value,};});/* 点击图例表格中某一行,显示这条数据 */const handleRowCLick = (record: any) => {if (record.checked === false) {legendList.value.forEach((item) => {if (item.name === record.name) {item.checked = true;} else {item.checked = false;}});data.value = copyData.value.filter((item: any) => item.name === record.name);} else {data.value = copyData.value;legendList.value.forEach((item) => {item.checked = false;});}};/* 对图例数据排序 */const sorterChange = (dataIndex: string, direction: string) => {legendList.value = handleSorterChange(legendList.value, { dataIndex, direction });};/* 图表缩放请求 */const onDataZoom = (e: any) => {if (e) {if (e.batch.length !== 0) {if (Object.keys(e.batch[0]).indexOf('startValue') !== -1) {const timeRanger = {start: Math.floor(e.batch[0].startValue / 1000),end: Math.round(e.batch[0].endValue / 1000),};emits('update:zoom', timeRanger);}}}};
</script><style scoped lang="less">.highlighted-row {color: var(--color-text-4);}.title {font-size: 16px;color: var(--color-text-1);font-weight: 500;}.title-container {display: flex;justify-content: center;}.table {&__empty {display: flex;align-items: center;justify-content: center;font-size: 16px;color: var(--color-text-3);}}:deep(.arco-table .arco-table-cell) {padding: 0 8px;}:deep(.arco-table-body) {min-height: auto;}:deep(.arco-table-tr) {cursor: pointer;}:deep(.arco-table .arco-table-td) {font-size: 12px;}
</style>
饼图的表格图例
Pie实现表格图例,点击某行,图表显示除这条之外剩下的数据(会有多条被选中的情况)
<!--环形图-->
<template><a-space><span class="left-line"></span><span class="title">{{ props.pieName }}</span></a-space><Chart :option="chartOption" style="width: 100%; height: 210px; margin: 16px 0 16px 0" /><div><a-table:data="legendList":pagination="false"row-key="name":scroll="{ y: '122px' }":columns="columns"@row-click="handleRowCLick"><template #name="{ record }"><a-space:class="{ 'highlighted-row': record.checked && data.length !== legendList?.length }"><a-badge v-if="record.checked && data.length !== legendList?.length" status="normal" /><a-badge v-else :color="record.color" />{{ record.name }}</a-space></template><template #count="{ record }"><span :class="{ 'highlighted-row': record.checked && data.length !== legendList?.length }">{{ record.count }}</span></template><template #percent="{ record }"><span :class="{ 'highlighted-row': record.checked && data.length !== legendList?.length }">{{ record.percent }}</span></template></a-table></div>
</template><script lang="ts" setup>import { TableColumnData } from '@arco-design/web-vue';import { watch, ref } from 'vue';import cloneDeep from 'lodash/cloneDeep';import useChartOption from '../../../hooks/chart-option';import color from './types/const';const legendList = ref<any[]>([]);const data = ref<any[]>([]);const copyData = ref<any[]>([]);const props = defineProps({series: {type: Object,default() {return {};},},pieName: {type: String,default: '',},});watch(() => props.series,() => {if (props.series?.detail?.length !== 0) {legendList.value = props.series?.detail?.map((item: any, index: number) => {const percent = Math.ceil((item.count / props.series.total) * 100);return {name: item.field,count: item.count,percent: `${percent}%`,color: color[index % 10],checked: false,};});data.value = props.series?.detail?.map((item: any) => {return {value: item.count,name: item.field,};});copyData.value = cloneDeep(data.value);}},{immediate: true,},);const columns: TableColumnData[] = [{title: '名称',dataIndex: 'name',width: 100,slotName: 'name',tooltip: true,ellipsis: true,},{title: '数量',dataIndex: 'count',width: 30,slotName: 'count',tooltip: true,ellipsis: true,sortable: { sortDirections: ['ascend', 'descend'] },},{title: '百分比',dataIndex: 'percent',width: 30,slotName: 'percent',tooltip: true,ellipsis: true,},];const { chartOption } = useChartOption(() => {return {tooltip: {show: true,trigger: 'item',},series: [{type: 'pie',radius: ['60px', '80px'],avoidLabelOverlap: false,label: {show: true,formatter: '{d}% ',},itemStyle: {color(colors) {const index = copyData.value.findIndex((item) => item.name === colors.name);return color[index % 10];},},data: data.value,},],};});/* 点击图例表格中某一行,显示除了这条数据剩下的数据 */const handleRowCLick = (record: any) => {legendList.value = legendList.value.map((item) => {if (item.name === record.name) {item.checked = !record.checked;}return item;});// data.value等于在copyData.value中过滤出legendList.value中checked为false的数据data.value = copyData.value.filter((item: any) => {const legendItem = legendList.value.find((legend: any) => legend.name === item.name);return legendItem && !legendItem.checked;});};
</script><style scoped lang="less">:deep(.arco-table .arco-table-cell) {padding: 0 8px;}.highlighted-row {color: var(--color-text-4);}.title {color: var(--color-text-1);font-size: 16px;font-weight: 500;line-height: 24px;}.left-line {padding-left: 2px;border-radius: 4px;margin-right: 2px;height: 14px;display: inline-block;color: var(--primary-6, #2962ff);border-right: 3px solid rgb(var(--primary-5));}:deep(.arco-table-body) {min-height: auto;}:deep(.arco-table-tr) {cursor: pointer;}:deep(.arco-table .arco-table-td) {font-size: 12px;}
</style>