使用d3.js画一个BoxPlot

Box Plot

在画Box Plot之前,先来了解下Box Plot是什么?

箱线图(Box Plot)也称盒须图、盒式图或箱型图,是一种用于展示数据分布特征的统计图表。

它由以下几个部分组成:

  1. 箱子:表示数据的四分位数范围,箱子的上下边界分别为上四分位数(Q3)和下四分位数(Q1)。
  2. 中间的横线:表示中位数。
  3. 胡须:也称为触须,分别延伸到最小值和最大值。

箱线图的优点包括:

  1. 直观展示数据的分布情况,包括中心位置、离散程度等。
  2. 快速比较多个数据集的特征。
  3. 检测异常值。

它常用于:

  1. 展示一组数据的分布特征。
  2. 比较不同组数据的分布情况。
  3. 识别可能的异常值。

通过箱线图,可以快速了解数据的关键特征,帮助分析和解释数据。

效果图

在这里插入图片描述

代码实现

第一步,先来绘制画布。
  const chart_id = '#box_plot'const margin = ({top: 10, right: 10, bottom: 20, left: 30})const height = 600document.getElementById('box_plot').innerHTML = ''const width = d3.select(chart_id).node().getBoundingClientRect().widthconst boxWidth = 50const rd = dataset.slice().sort((a, b) => d3.ascending(a.name, b.name))const chart = d3.select(chart_id).attr('height', height)
第二步,生成 x 轴 和 y 轴比例尺
  const yScale = d3.scaleLinear().domain(d3.extent(rd, d => d.value)).range([height - margin.bottom, margin.top]).nice()const xScale = d3.scaleBand().domain(boxes().map(d => d.key)).range([margin.left, width - margin.right]).paddingInner(1).paddingOuter(.5)
第三步,生成 box
/* 生成 box 方法 */
const boxes = () => {let arrMap = Array.from(d3.group(dataset, d => d.name), ([key, dat]) => ({key, dat}))arrMap.map(o => {const values = o.dat.map(d => d.value);const min = d3.min(values);const max = d3.max(values);const q1 = d3.quantile(values, .25);const q2 = d3.quantile(values, .5);const q3 = d3.quantile(values, .75);const iqr = q3 - q1;const r0 = Math.max(min, q1 - iqr * 1.5);const r1 = Math.min(max, q3 + iqr * 1.5);o.quartiles = [q1, q2, q3];o.range = [r0, r1];o.outliers = values.filter(v => v < r0 || v > r1);return o;});return (arrMap)
};
第四步,添加 box 组,设置其偏移量
  const groups = chart.selectAll("g").data(boxes()).join("g").attr("transform", d => `translate(${xScale(d.key)}, 0)`).attr('class', 'ind')
第五步,添加垂直方向上的线
  groups.selectAll("vertLine").data(d => [d.range]).join("line").attr("class", "vertLine").attr("stroke", "#7e7e7e").attr('stroke-width', '1px').attr("x1", 0).attr("x2", 0).attr("y1", d => yScale(d[0])).attr("y2", d => yScale(d[1]))
第六步,添加水平方向上的线

水平方向上的三条线分别是 q1(第一四分位),median(中位数),q3(第三四分位),有的需求的第二条线不一定是中位数,也有可能是平均数(mean)。

  groups.selectAll('horizontalLine').data((d) => [d.range[0], d.quartiles[1], d.range[1]]).join('line').attr('class', 'horizontalLine').attr('stroke', '#7e7e7e').attr('stroke-width', '1px').style('width', boxWidth).attr('x1', -boxWidth / 2).attr('x2', boxWidth / 2).attr('y1', (d) => yScale(d)).attr('y2', (d) => yScale(d))
第七步,添加数据点
 groups.selectAll("points").data(d => d.dat).join("circle").attr("cx", () => 0 - 30 / 2 + Math.random() * 30).attr("cy", d => yScale(d.value)).attr("r", 2).style("fill", "#1867c0").attr("fill-opacity", 1)
第八步,添加盒子
  groups.selectAll("box").data(d => [d]).join("rect").attr("class", "box").attr("x", -boxWidth / 2).attr("y", d => yScale(d.quartiles[2])).attr("height", d => yScale(d.quartiles[0]) - yScale(d.quartiles[2])).attr("width", boxWidth).attr("stroke", "#545454").style("fill", "#1890ff").style("fill-opacity", 0.3)
第九步,添加 X 轴 和 Y 轴
/* Y 轴 */
chart.append("g").style("font", "12px").style('stroke-width', '1px').call(d3.axisLeft(yScale).tickSizeOuter(0)).attr('transform', `translate(${margin.left},0)`).call(g => g.selectAll('.tick line').clone().attr('x2', width - margin.left - margin.right).attr('stroke-opacity', 0.2))/* X 轴 */
chart.append('g').style('font', '12px').style('stroke-width', '1px').attr("transform", `translate(0,${height - margin.bottom})`).call(d3.axisBottom(xScale))

整体代码

<template><div style="width: 100%"><svg id="box_plot" style="width: 100%"/></div>
</template><script setup>
import {onMounted} from "vue";
import * as d3 from "d3";
import dataset from "@/mock/dataset_boxplot"onMounted(() => {drawBoxPlot()
})function drawBoxPlot() {const chart_id = '#box_plot'const margin = ({top: 10, right: 10, bottom: 20, left: 30})const height = 600document.getElementById('box_plot').innerHTML = ''const width = d3.select(chart_id).node().getBoundingClientRect().widthconst boxWidth = 50const rd = dataset.slice().sort((a, b) => d3.ascending(a.name, b.name))const yScale = d3.scaleLinear().domain(d3.extent(rd, d => d.value)).range([height - margin.bottom, margin.top]).nice()const xScale = d3.scaleBand().domain(boxes().map(d => d.key)).range([margin.left, width - margin.right]).paddingInner(1).paddingOuter(.5)const chart = d3.select(chart_id).attr('height', height)const groups = chart.selectAll("g").data(boxes()).join("g").attr("transform", d => `translate(${xScale(d.key)}, 0)`).attr('class', 'ind')groups.selectAll("vertLine").data(d => [d.range]).join("line").attr("class", "vertLine").attr("stroke", "#7e7e7e").attr('stroke-width', '1px').attr("x1", 0).attr("x2", 0).attr("y1", d => yScale(d[0])).attr("y2", d => yScale(d[1]))groups.selectAll('horizontalLine').data((d) => [d.range[0], d.quartiles[1], d.range[1]]).join('line').attr('class', 'horizontalLine').attr('stroke', '#7e7e7e').attr('stroke-width', '1px').style('width', boxWidth).attr('x1', -boxWidth / 2).attr('x2', boxWidth / 2).attr('y1', (d) => yScale(d)).attr('y2', (d) => yScale(d))groups.selectAll("points").data(d => d.dat).join("circle").attr("cx", () => 0 - 30 / 2 + Math.random() * 30).attr("cy", d => yScale(d.value)).attr("r", 2).style("fill", "#1867c0").attr("fill-opacity", 1)// 添加盒子groups.selectAll("box").data(d => [d]).join("rect").attr("class", "box").attr("x", -boxWidth / 2).attr("y", d => yScale(d.quartiles[2])).attr("height", d => yScale(d.quartiles[0]) - yScale(d.quartiles[2])).attr("width", boxWidth).attr("stroke", "#545454").style("fill", "#1890ff").style("fill-opacity", 0.3)/* Y 轴 */chart.append("g").style("font", "12px").style('stroke-width', '1px').call(d3.axisLeft(yScale).tickSizeOuter(0)).attr('transform', `translate(${margin.left},0)`).call(g => g.selectAll('.tick line').clone().attr('x2', width - margin.left - margin.right).attr('stroke-opacity', 0.2))/* X 轴 */chart.append('g').style('font', '12px').style('stroke-width', '1px').attr("transform", `translate(0,${height - margin.bottom})`).call(d3.axisBottom(xScale))const tooltip = d3.select(chart_id).append('div')/* 设置鼠标进入显示提交框 */chart.selectAll('.ind').on("mousemove", function (event) {tooltip.attr('class', 'tooltip').style('opacity', 1).style('transform', `translate(${event.clientX - 50}px,${event.clientY - 50}px)`).text('test: tooltip')})groups.on("mouseleave", function () {tooltip.style('opacity', 0)})return chart.node()
}/* 生成 box 方法 */
const boxes = () => {let arrMap = Array.from(d3.group(dataset, d => d.name), ([key, dat]) => ({key, dat}))arrMap.map(o => {const values = o.dat.map(d => d.value);const min = d3.min(values);const max = d3.max(values);const q1 = d3.quantile(values, .25);const q2 = d3.quantile(values, .5);const q3 = d3.quantile(values, .75);const iqr = q3 - q1;const r0 = Math.max(min, q1 - iqr * 1.5);const r1 = Math.min(max, q3 + iqr * 1.5);o.quartiles = [q1, q2, q3];o.range = [r0, r1];o.outliers = values.filter(v => v < r0 || v > r1);return o;});return (arrMap)
};</script>

源码地址

源码和 mock 数据都在git仓库上,想要的小伙伴可以自己去git上拉一下。

gitee:https://gitee.com/li-jiayin167/data-visualization.git

github:https://github.com/Jane167/Data-visualization.git

如果觉得不错的话,点个 star

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/diannao/2305.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

ruoyi element-ui 实现拖拉调整图片顺序

ruoyi element-ui 实现拖拉调整图片顺序 安装sortablejs https://sortablejs.com/npm 安装sortablejs npm install sortablejs --save相关options var sortable new Sortable(el, {group: "name", // or { name: "...", pull: [true, false, clone, …

甘特图:如何制定一个有效的产品运营规划?

做好一个产品的运营规划是一个复杂且系统的过程&#xff0c;涉及多个方面和阶段。以下是一些关键步骤和考虑因素&#xff0c;帮助你制定一个有效的产品运营规划&#xff1a; 1、明确产品定位和目标用户&#xff1a; 确定产品的核心功能、特点和优势&#xff0c;明确产品在市…

python自动生成SQL语句自动化

&#x1f47d;发现宝藏 前些天发现了一个巨牛的人工智能学习网站&#xff0c;通俗易懂&#xff0c;风趣幽默&#xff0c;忍不住分享一下给大家。【点击进入巨牛的人工智能学习网站】。 Python自动生成SQL语句自动化 在数据处理和管理中&#xff0c;SQL&#xff08;Structured …

统一SQL 支持Oracle CHAR和VARCHAR2 (size BYTE|CHAR)转换

统一SQL介绍 https://www.light-pg.com/docs/LTSQL/current/index.html 源和目标 源数据库&#xff1a;Oracle 目标数据库&#xff1a;Postgresql&#xff0c;TDSQL-MySQL&#xff0c;达梦8&#xff0c;LightDB-Oracle 操作目标 在Oracle中的CHAR和VARCHAR2数据类型&…

揭开ChatGPT面纱(1):准备工作(搭建开发环境运行OpenAI Demo)

文章目录 序言&#xff1a;探索人工智能的新篇章一、搭建开发环境二、编写并运行demo1.代码2.解析3.执行结果 本博客的gitlab仓库&#xff1a;地址&#xff0c;本博客对应01文件夹。 序言&#xff1a;探索人工智能的新篇章 随着人工智能技术的飞速发展&#xff0c;ChatGPT作为…

nginx服务访问页面白色

问题描述 访问一个域名服务返回页面空白&#xff0c;非响应404。报错如下图。 排查问题 域名解析正常&#xff0c;网络通讯正常&#xff0c;绕过解析地址访问源站IP地址端口访问正常&#xff0c;nginx无异常报错。 在打开文件时&#xff0c;发现无法打开配置文件&#xff0c…

982: 输出利用二叉树存储的普通树的度

解法&#xff1a; 由题意&#xff0c;根据二叉树求对应的合法普通树的度&#xff0c;度就是节点儿子数的最大值。 也就是左孩子&#xff0b;兄弟 在二叉树中就是某根节点的右孩子某根节点的右孩子的右孩子。。。 例AB#CD##E### 关于树概念不理解的可以看看981: 统计利用二叉…

牛客NC179 长度为 K 的重复字符子串【simple 哈希,滑动窗口 C++、Java、Go、PHP】

题目 题目链接&#xff1a; https://www.nowcoder.com/practice/eced9a8a4b6c42b79c95ae5625e1d5fd 思路 哈希统计每个字符出现的次数。没在窗口内的字符要删除参考答案C class Solution {public:/*** 代码中的类名、方法名、参数名已经指定&#xff0c;请勿修改&#xff0c…

记录Python链接mysql的数据库的2种操作方式

一、使用pymysql库方式 import pymysqldb pymysql.connect(hostlocalhost,userroot,password123456) #创建链接&#xff0c;在3.8以后好像已经不支持这个种链接方式了&#xff0c; #db pymysql.connect(localhost,root,123456) cursor db.cursor()#拿到游标这样我们就拿到了…

一维递归:递去

示例&#xff1a; /*** brief how about recursive-forward-1? show you here.* author wenxuanpei* email 15873152445163.com(query for any question here)*/ #define _CRT_SECURE_NO_WARNINGS//support c-library in Microsoft-Visual-Studio #include <stdio.h>…

ctfshow 每周大挑战RCE极限挑战

讨厌SQl看到这个了想来玩玩 rce1 <?phperror_reporting(0); highlight_file(__FILE__);$code $_POST[code];$code str_replace("(","括号",$code);$code str_replace(".","点",$code);eval($code);?>括号过滤点过滤&…

c++补充

构造函数、析构函数 #include <iostream> using namespace std;// 构造函数、析构函数 // --- "构造函数"类比生活中的"出厂设置" --- // --- "析构函数"类比生活中的"销毁设置" --- // 如果我们不写这两种函数&#xff0c;编译…

Jammy@Jetson Orin - Tensorflow Keras Get Started: 000 setup for tutorial

JammyJetson Orin - Tensorflow & Keras Get Started: 000 setup for tutorial 1. 源由2. 搭建环境2.1 安装IDE环境2.2 安装numpy2.3 安装keras2.4 安装JAX2.5 安装tensorflow2.6 安装PyTorch2.7 安装nbdiff 3. 测试DEMO3.1 numpy版本兼容问题3.2 karas API - model.compil…

B008-方法参数传递可变参数工具类

目录 方法参数传递可变参数冒泡排序Arrays工具类Arrays工具类常用方法 方法参数传递 /*** java中只有值传递* 基本数据类型 传递的是具体的值* 引用数据类型 传递的是地址值*/ public class _01_ParamPass {public static void main(String[] args) {// 调用方法 getSumge…

爱普生计时设备AUTOMOTIVE RA8900CE DTCXO RTC

主要特点出场已校准带有DTCXO的RTC&#xff0c;并且内部集成晶体单元高精度: 3.4 ppm 40 to 85 C(9 s/月.)时钟输出:1 Hz.1024 Hz.32.768 kHzI 2 C Interface: Fast mode (400 kHz)The l2C-Bus is a trademark ofNXP Semiconductors供电电压: 2.5-5.5 V(main),1.6-5.5 V(备份电…

学习springcloud中Nacos笔记

一、springcloud版本对应 版本信息可以参考&#xff1a;版本说明 alibaba/spring-cloud-alibaba Wiki GitHub 这里说2022.x 分支对应springboot的版本信息&#xff1a; Spring Cloud Alibaba VersionSpring Cloud VersionSpring Boot Version 2022.0.0.0* Spring Cloud 202…

IO进程(进程间通信IPC)

进程间通讯 IPC InterProcess Communication 1.进程间通信方式 1.早期进程间通信&#xff1a; 无名管道(pipe)、有名管道(fifo)、信号(signal) 2.system V IPC&#xff1a; 共享内存(shared memory)、消息队列(message queue)、信号灯集(semaphore set) 3.BSD&#xff1a; 套接…

js的算法-交换排序(快速排序)

快速排序 基本思想 快速排序的基本思想是基于分治法的&#xff1a;在待排序表L【1...n】中任意取一个元素p 作为枢轴&#xff08;或基准&#xff0c;通常取首元素&#xff09;。通过一趟排序将待排序表划分为独立的两部分L【1...k-1】和L【k1...n】;这样的话&#xff0c;L【1…

笔试题1 -- 吃掉字符串中相邻的相同字符(点击消除_牛客网)

吃掉字符串中相邻的相同字符 文章目录 吃掉字符串中相邻的相同字符题目重现解法一&#xff1a;(基于 erase() 函数实现)解法二&#xff1a;&#xff08;利用 栈 辅助实现&#xff09;总结 题目链接&#xff1a; 点击消除_牛客网 题目重现 牛牛拿到了一个字符串。 他每次“点击…

(数据结构代码,总结,自我思考)=> { return 个人学习笔记; } 【To be continued~】

俗话说 “学而不思则罔”&#xff0c;是时候复习和整理一下自己先前的学习历程了&#xff01; Chapter-One 《BinarySearch》 public static int binarySearch (int[] a, int target) {int i 0, j a.length - 1;while (i < j) {int m (i j) >>> 1; // 求中位…