还不会柱状图动态排序?手把手带你卷起来

还不会柱状图动态排序?手把手带你卷起来

前言

echarts在前端开发中实属必不可缺的大数据可视化工具,在前段时间搬砖时遇到这样一个需求,需要实现一个动态排序的柱状图,用来展示不同部门在不同月份的绩效收益情况,能够直观地看到每个月各个部门的排名变化情况。并能够随时暂停,手动切换来展示某个月的具体情况。经过一下午一顿敲击键盘后,完美完成本次任务,总结记录一下,以后就可以愉快地摸鱼了。完整代码看文末,先上图看下实现效果:

安装使用

1、demo基于vue3框架,首先安装echarts。

sql 复制代码
yarn add echarts

//我使用的版本:"echarts": "^5.2.2"

2、全局注册echarts,在app.vue 中引入echarts,使用provide,使所有的子组件都可以直接使用echarts

javascript 复制代码
//app.vue
import * as echarts from 'echarts';
provide('$echarts', echarts);

demo实现

生成一组测试数据

首先随机生成一组测试数据,包含1-10月的数据count,平均数avg和y轴的label。timeLineList用于用于播放进度条展示。

ini 复制代码
const generateRandomData = () => {
    const data = [];
    for (let i = 0; i < 100; i++) {
        let month = '2023-';
        month = month + (Math.floor(i / 10) + 1);
        const count = Math.floor(Math.random() * 300) + 100; // 生成100到300的随机整数  
        const name = 'count' + i % 10;
        const avg = Math.floor(Math.random() * 300) + 100;
        data.push({
            month,
            count,
            name,
            avg
        });

        //生成月度集合,用于播放条展示
        if(!timeLineList.value.includes(month)){
           timeLineList.value.push(month)
        }
    }
    return data;
}

编写模板部分

包含播放和暂停按钮、播放条和echart部分。

ini 复制代码
<template>
    <div class="chart-dialog-content">
        <div class="opt-bar">
            <button size="mini" v-if="playChart == false" @click="(playChart = true), initChart(0)"><i
                    class="el-icon-video-play"></i>轮播</button>
            <button size="mini" v-if="playChart == true" @click="(playChart = false), initChart(activeIndex)"><i
                    class="el-icon-video-pause"></i>暂停</button>
        </div>
        <section class="bottom">
            <div class="time-line">
                <div class="line-item" @click="changeChart(index)" v-for="(i, index) in timeLineList" :key="i"
                    :class="{ active: index <= activeIndex, hover: index == activeIndex }">
                    <div class="line"></div>
                    <div class="point">
                        <div class="text">{{ i }}</div>
                        <div class="icon el-icon-caret-top" v-show="index == activeIndex"></div>
                    </div>
                </div>
            </div>
            <div class="chart-content" id="chartContent"></div>
        </section>
    </div>
</template>

echarts配置

echarts几个比要重要配置实现:

1、配置x轴的最大最小值,为了让变化看上去更明显,配置min值不从0开始。

matlab 复制代码
xAxis: {
    max: 'dataMax',
    min: function (value: any) {
        return Math.round(value.min) - 10;
    },
    axisLabel: {
        formatter: function (n: any) {
            return n;
        }
    }
},

2、配置dataSet,从数据集合中取出某个月的数据

css 复制代码
dataset: {
    source: data.filter(function (item) {
        return item[0] === startMonth;
    })
},

detaset需要的数据样例:

css 复制代码
[    [        "2023-2",        322,        "count0",        205    ],
    [        "2023-2",        218,        "count1",        203    ],
    [        "2023-2",        206,        "count2",        194    ],
    [        "2023-2",        220,        "count3",        297    ],
    [        "2023-2",        349,        "count4",        101    ],
    [        "2023-2",        247,        "count5",        357    ],
   ...
]

3、配置平均线,取dataset数组中的数据

css 复制代码
markLine: {
    symbolSize: 0,
    data: [
        {
            name: '平均分',
            xAxis: Number(
                data.filter(function (item) {
                    return item[0] === startMonth;
                })[0][3]
            ),
            lineStyle: {
                color: '#eb7e65',
                type: 'dashed'
            },
            label: {
                show: true,
                color: '#fe4852',
                formatter:
                    '{ll|平均值:' +
                    Number(
                        data.filter(function (item) {
                            return item[0] === startMonth;
                        })[0][3]
                    ) +
                    '\n}',
                rich: {
                    ll: {
                        fontSize: 16,
                        lineHeight: 22,
                        padding: [40, 0, 0, 0]
                    }
                }
            }
        }
    ],
    animation: false
},

让图表动起来

其实让图表动起来,只需要动态改变echarts的数据即可实现,但是需要在echarts配置中增加动画效果

vbnet 复制代码
animationDuration: 0,
animationDurationUpdate: updateFrequency,
animationEasing: 'linear',
animationEasingUpdate: 'linear',

定时从数据集合data中取出对应月份的数据

ini 复制代码
if (playChart.value) {
        for (let i = startIndex; i < month.length - 1; ++i) {
            let myTimeout = setTimeout(() => {
                updateMonth(month[i + 1]);
                activeIndex.value = i + 1;
                //播放结束
                if (i == month.length - 2) {
                    setTimeout(() => {
                        playChart.value = false;
                    }, updateFrequency);
                }
            }, (i + 1 - startIndex) * updateFrequency);
            myTimeoutArr.value.push(myTimeout);
        }
    }
function updateMonth(month: any) {
    let source = data.filter(function (item) {
        return item[0] === month;
    });
    console.log(source)
    option.series[0].data = source;
    option.series[0].markLine = {
        symbolSize: 0,
        data: [
            {
                name: '平均分',
                xAxis: Number(source[0][3]),
                lineStyle: {
                    color: '#eb7e65',
                    type: 'dashed'
                },
                label: {
                    show: true,
                    color: '#fe4852',
                    formatter: '{ll|平均值:' + Number(source[0][3]) + '\n}',
                    rich: {
                        ll: {
                            fontSize: 16,
                            lineHeight: 22,
                            padding: [40, 0, 0, 0]
                        }
                    }
                }
            }
        ],
        animation: false
    };
    myChart.value.setOption(option);
}

完整代码

demo完整代码如下,可直接复制使用

xml 复制代码
<template>
    <div class="chart-dialog-content">
        <div class="opt-bar">
            <button size="mini" v-if="playChart == false" @click="(playChart = true), initChart(0)"><i
                    class="el-icon-video-play"></i>轮播</button>
            <button size="mini" v-if="playChart == true" @click="(playChart = false), initChart(activeIndex)"><i
                    class="el-icon-video-pause"></i>暂停</button>
        </div>
        <section class="bottom">
            <div class="time-line">
                <div class="line-item" @click="changeChart(index)" v-for="(i, index) in timeLineList" :key="i"
                    :class="{ active: index <= activeIndex, hover: index == activeIndex }">
                    <div class="line"></div>
                    <div class="point">
                        <div class="text">{{ i }}</div>
                        <div class="icon el-icon-caret-top" v-show="index == activeIndex"></div>
                    </div>
                </div>
            </div>
            <div class="chart-content" id="chartContent"></div>
        </section>
    </div>
</template>
<script setup lang="ts">
import { onMounted, ref, inject } from 'vue';
const activeIndex = ref(0);
const myChart = ref<any>(null);
const playChart = ref(true);
const rspData = ref<any>([]);
const timeLineList = ref<any>([]);
const myTimeoutArr = ref<any>([]);
const $echarts: any = inject('$echarts');

const generateRandomData = () => {
    const data = [];

    for (let i = 0; i < 100; i++) {

        let month = '2023-';
        month = month + (Math.floor(i / 10) + 1);
        const count = Math.floor(Math.random() * 300) + 100; // 生成100到300的随机整数  
        const name = 'count' + i % 10;
        const avg = Math.floor(Math.random() * 300) + 100;
        data.push({
            month,
            count,
            name,
            avg
        });
        if(!timeLineList.value.includes(month)){
        timeLineList.value.push(month)
        }
    }

    return data;
}


onMounted(() => {
    playChart.value = false;
    getData();
});
const getData = () => {
    timeLineList.value = [];
    rspData.value = generateRandomData();
    initChart(0);
}
const changeChart = (index: number, flag = false) => {
    playChart.value = flag;
    initChart(index);
}
const initChart = (index = 0) => {
    myChart.value?.dispose();
    //清理定时
    myTimeoutArr.value.forEach((item: any) => {
        clearTimeout(item);
    });
    myTimeoutArr.value = [];
    // 获取$echarts实例

    myChart.value = $echarts.init(document.querySelector('#chartContent'));
    const updateFrequency = 3000;
    const dimension = 1;
    const data: any[] = [];
    rspData.value.forEach((item: any) => {
        data.push([item.month, item.count, item.name, item.avg]);
    });
    const month: any[] = [];
    data.forEach((item) => {
        if (month.length === 0 || month[month.length - 1] !== item[0]) {
            month.push(item[0]);
        }
    });

    let startIndex = index;
    let startMonth = month[startIndex];
    let option = {
        grid: {
            top: 10,
            bottom: 30,
            left: 20,
            right: 40,
            containLabel: true
        },
        xAxis: {
            max: 'dataMax',
            min: function (value: any) {
                return Math.round(value.min) - 10;
            },
            axisLabel: {
                formatter: function (n: any) {
                    return n;
                }
            }
        },
        dataset: {
            source: data.filter(function (item) {
                return item[0] === startMonth;
            })
        },
        yAxis: {
            type: 'category',
            inverse: true,
            axisTick: {
                show: false
            },

            axisLine: {
                show: true,
                lineStyle: {
                    color: '#e2e2e2'
                }
            },
            axisLabel: {
                show: true,
                fontSize: 14,
                formatter: function (value: any) {
                    return value;
                },
                color: '#8c8c8d',
                rich: {
                    flag: {
                        fontSize: 25,
                        padding: 5
                    }
                }
            },
            animationDuration: 300,
            animationDurationUpdate: 300
        },
        series: [
            {
                realtimeSort: true,
                seriesLayoutBy: 'column',
                type: 'bar',
                itemStyle: {
                    color: function () {
                        return '#7ea2f4';
                    }
                },
                markLine: {
                    symbolSize: 0,
                    data: [
                        {
                            name: '平均分',
                            xAxis: Number(
                                data.filter(function (item) {
                                    return item[0] === startMonth;
                                })[0][3]
                            ),
                            lineStyle: {
                                color: '#eb7e65',
                                type: 'dashed'
                            },
                            label: {
                                show: true,
                                color: '#fe4852',
                                formatter:
                                    '{ll|平均值:' +
                                    Number(
                                        data.filter(function (item) {
                                            return item[0] === startMonth;
                                        })[0][3]
                                    ) +
                                    '\n}',
                                // distance: [-135, 150],
                                // padding: [-50, 0, 50, 0],
                                rich: {
                                    ll: {
                                        fontSize: 16,
                                        lineHeight: 22,
                                        padding: [40, 0, 0, 0]
                                    }
                                }
                            }
                        }
                    ],
                    animation: false
                },
                barMaxWidth: 20,
                encode: {
                    x: dimension,
                    y: 2
                },
                label: {
                    show: true,
                    // precision: 1,
                    position: 'right',
                    valueAnimation: true,
                    fontFamily: 'monospace'
                }
            }
        ],
        // Disable init animation.
        animationDuration: 0,
        animationDurationUpdate: updateFrequency,
        animationEasing: 'linear',
        animationEasingUpdate: 'linear',
        // graphic: {
        //     elements: [
        //         {
        //             type: 'text',
        //             right: 0,
        //             bottom: 0,
        //             style: {
        //                 text: startMonth,
        //                 font: 'bolder 24px monospace',
        //                 fill: 'rgba(100, 100, 100, 0.25)'
        //             },
        //             z: 100
        //         }
        //     ]
        // }
    };

    myChart.value.setOption(option);
    activeIndex.value = index;
    if (playChart.value) {
        for (let i = startIndex; i < month.length - 1; ++i) {
            let myTimeout = setTimeout(() => {
                updateMonth(month[i + 1]);
                activeIndex.value = i + 1;
                //播放结束
                if (i == month.length - 2) {
                    setTimeout(() => {
                        playChart.value = false;
                    }, updateFrequency);
                }
            }, (i + 1 - startIndex) * updateFrequency);
            myTimeoutArr.value.push(myTimeout);
        }
    }
    function updateMonth(month: any) {
        let source = data.filter(function (item) {
            return item[0] === month;
        });
        console.log(source)
        option.series[0].data = source;
        option.series[0].markLine = {
            symbolSize: 0,
            data: [
                {
                    name: '平均分',
                    xAxis: Number(source[0][3]),
                    lineStyle: {
                        color: '#eb7e65',
                        type: 'dashed'
                    },
                    label: {
                        show: true,
                        color: '#fe4852',
                        formatter: '{ll|平均值:' + Number(source[0][3]) + '\n}',
                        rich: {
                            ll: {
                                fontSize: 16,
                                lineHeight: 22,
                                padding: [40, 0, 0, 0]
                            }
                        }
                    }
                }
            ],
            animation: false
        };
       // option.graphic.elements[0].style.text = month;
        myChart.value.setOption(option);
    }
}
</script>

<style lang="less" scoped>
.chart-dialog-content {
    .chart-content {
        height: 550px;
        width: 100%;
        margin: 0 auto;
    }

    .opt-bar {
        padding: 12px 16px;
        display: flex;
        align-items: center;

        >div {
            margin-right: 16px;
        }

        i {
            margin-right: 4px;
        }

        .desc {
            font-weight: bold;
            margin-right: 8px;
        }

        .el-date-editor {
            width: 170px;
        }
    }

    .bottom {
        padding: 16px;
        background: #f2f4f7;

        .time-line {
            display: flex;
            width: 80%;
            height: 36px;
            margin: 0 auto;

            .line-item {
                display: flex;
                align-items: center;
                width: 100%;
                cursor: pointer;

                &:first-child {
                    width: 10px;

                    .line {
                        width: 0;
                    }
                }

                &.hover {
                    .text {
                        color: #467ff1;
                    }
                }

                &.active {
                    .point {
                        border: 2px solid #477ff0;

                        .text {
                            font-weight: 500;
                        }
                    }

                    .line {
                        background: #477ff0;
                    }
                }

                .point {
                    position: relative;
                    width: 6px;
                    height: 6px;
                    border-radius: 50%;
                    background: #fff;

                    .text {
                        position: absolute;
                        white-space: nowrap;
                        transform: translate(-50%, -135%);
                    }

                    .icon {
                        font-size: 32px;
                        position: absolute;
                        color: #fff;
                        transform: translate(-50%, 0);
                    }
                }

                .line {
                    width: 100%;
                    height: 3px;
                    background: #efefef;
                }
            }
        }

        .chart-content {
            background: #fff;
        }

        .type-radio {
            padding: 12px;
            background: #fff;

            .el-radio {
                font-weight: 400;
                color: rgba(0, 0, 0, 0.65);
                margin-right: 12px;
            }
        }
    }
}
</style>
相关推荐
崔庆才丨静觅1 小时前
hCaptcha 验证码图像识别 API 对接教程
前端
passerby60612 小时前
完成前端时间处理的另一块版图
前端·github·web components
掘了2 小时前
「2025 年终总结」在所有失去的人中,我最怀念我自己
前端·后端·年终总结
崔庆才丨静觅2 小时前
实用免费的 Short URL 短链接 API 对接说明
前端
崔庆才丨静觅2 小时前
5分钟快速搭建 AI 平台并用它赚钱!
前端
崔庆才丨静觅3 小时前
比官方便宜一半以上!Midjourney API 申请及使用
前端
Moment3 小时前
富文本编辑器在 AI 时代为什么这么受欢迎
前端·javascript·后端
崔庆才丨静觅3 小时前
刷屏全网的“nano-banana”API接入指南!0.1元/张量产高清创意图,开发者必藏
前端
剪刀石头布啊3 小时前
jwt介绍
前端
爱敲代码的小鱼3 小时前
AJAX(异步交互的技术来实现从服务端中获取数据):
前端·javascript·ajax