【java爬虫】公司半年报数据展示

前言

前面有一篇文章介绍了使用selenium获取上市公司半年报的方法,这篇文章就给这些数据写一个简单的前端展示页面

上一篇文章的链接在这里

【java爬虫】使用selenium获取某交易所公司半年报数据-CSDN博客

首先来看一下整个页面的展示效果

前端页面采用vue+element-plus+axio进行编写,采用cdn的方式引入,只有一个index.html文件。

我们要展示的数据如下:

  • 整体的统计数据(各种平均值)
  • 经营收入排名前十的公司
  • 净利润排名前十的公司
  • 经营现金流排名前十的公司
  • 资产收益率排名前十的公司
  • 基本每股收益排名前十的公司
  • 资产负债率排名前十的公司

第一个组数据用<el-descriptions>进行展示,后面的数据用<el-table>进行展示。

后端部分

我们需要写一些sql语句用于统计这些数据。

首先需要写一个用于获取第一组数据的实体类

@Data
@AllArgsConstructor
@NoArgsConstructor
public class StatisticsEntity {

    // 平均营业收入
    private Double incomeavg;

    // 平均净利润
    private Double profit1avg;

    // 平均经营现金流
    private Double cashflowavg;

    // 平均资产收益率
    private Double rate1avg;

    // 平均基本每股收益
    private Double rate2avg;

    // 平均资产负债率
    private Double rate3avg;
}

接着是Mapper接口

@Mapper
public interface ReportMapper {

    // 清空表
    public void clearAll();

    // 插入一条数据
    public void insertOneItem(@Param("item")ReportEntity entity);

    // 查询营业收入最高的十大公司
    public List<ReportEntity> queryMaxIncome();

    // 查询净利润最高的十大公司
    public List<ReportEntity> queryMaxProfit();

    // 查询经营现金流最高的十大公司
    public List<ReportEntity> queryMaxCashflow();

    // 查询净资产收益率最高的十大公司
    public List<ReportEntity> queryMaxRate1();

    // 查询每股收益最高的十大公司
    public List<ReportEntity> queryMaxRate2();

    // 查询资产负债率率最高的十大公司
    public List<ReportEntity> queryMaxRate3();

    // 平均营业收入
    public Double queryIncomeAvg();

    // 平均净利润
    public Double queryProfit1Avg();

    // 平均经营现金流
    public Double queryCashflowAvg();

    // 平均资产负债率
    public Double queryRate1Avg();

    // 平均基本每股收益
    public Double queryRate2Avg();

    // 平均资产负债率
    public Double queryRate3Avg();

}

Mapper对应的xml文件

<?xml version="1.0" encoding="UTF-8" ?>
<!DOCTYPE mapper
        PUBLIC "-//mybatis.org//DTD Mapper 3.0//EN"
        "http://mybatis.org/dtd/mybatis-3-mapper.dtd">
<mapper namespace="com.example.demo.mapper.ReportMapper">
    <sql id="select_columns">
        company, stock, income, profit1, profit2, cashflow, rate1, rate2, rate3
    </sql>


    <delete id="clearAll">
        delete from t_report where 1=1
    </delete>

    <insert id="insertOneItem" parameterType="ReportEntity">
        insert into t_report
        (company, stock, income, profit1, profit2, cashflow, rate1, rate2, rate3)
        values
        (#{item.company}, #{item.stock}, #{item.income}, #{item.profit1},
         #{item.profit2}, #{item.cashflow}, #{item.rate1}, #{item.rate2}, #{item.rate3})
    </insert>

    <select id="queryMaxIncome" resultType="ReportEntity">
        select
        <include refid="select_columns"></include>
        from t_report
        order by income DESC
        limit 10
    </select>

    <select id="queryMaxProfit" resultType="ReportEntity">
        select
        <include refid="select_columns"></include>
        from t_report
        order by profit1 DESC
        limit 10
    </select>

    <select id="queryMaxCashflow" resultType="ReportEntity">
        select
        <include refid="select_columns"></include>
        from t_report
        order by cashflow DESC
        limit 10
    </select>

    <select id="queryMaxRate1" resultType="ReportEntity">
        select
        <include refid="select_columns"></include>
        from t_report
        order by rate1 DESC
        limit 10
    </select>

    <select id="queryMaxRate2" resultType="ReportEntity">
        select
        <include refid="select_columns"></include>
        from t_report
        order by rate2 DESC
        limit 10
    </select>

    <select id="queryMaxRate3" resultType="ReportEntity">
        select
        <include refid="select_columns"></include>
        from t_report
        order by rate3 DESC
        limit 10
    </select>

    <select id="queryIncomeAvg" resultType="Double">
        select
        avg(income)
        from t_report
    </select>

    <select id="queryProfit1Avg" resultType="Double">
        select
        avg(profit1)
        from t_report
    </select>

    <select id="queryCashflowAvg" resultType="Double">
        select
        avg(cashflow)
        from t_report
    </select>

    <select id="queryRate1Avg" resultType="Double">
        select
        avg(rate1)
        from t_report
    </select>

    <select id="queryRate2Avg" resultType="Double">
        select
        avg(rate2)
        from t_report
    </select>

    <select id="queryRate3Avg" resultType="Double">
        select
        avg(rate3)
        from t_report
    </select>

</mapper>

最后是Controller类

@Controller
@CrossOrigin(origins = "*")
public class QueryController {

    @Autowired
    private ReportMapper reportMapper;

    @RequestMapping("queryBaseInfo")
    @ResponseBody
    public String queryBaseInfo() {
        StatisticsEntity statisticsEntity = new StatisticsEntity();
        statisticsEntity.setIncomeavg(reportMapper.queryIncomeAvg());
        statisticsEntity.setCashflowavg(reportMapper.queryCashflowAvg());
        statisticsEntity.setProfit1avg(reportMapper.queryProfit1Avg());
        statisticsEntity.setRate1avg(reportMapper.queryRate1Avg());
        statisticsEntity.setRate2avg(reportMapper.queryRate2Avg());
        statisticsEntity.setRate3avg(reportMapper.queryRate3Avg());
        return JSON.toJSONString(statisticsEntity);
    }


    @RequestMapping("queryMaxIncome")
    @ResponseBody
    public String queryMaxIncome() {
        List<ReportEntity> reportEntities = reportMapper.queryMaxIncome();
        return JSON.toJSONString(reportEntities);
    }

    @RequestMapping("queryMaxProfit")
    @ResponseBody
    public String queryMaxProfit() {
        List<ReportEntity> reportEntities = reportMapper.queryMaxProfit();
        return JSON.toJSONString(reportEntities);
    }

    @RequestMapping("queryMaxCashflow")
    @ResponseBody
    public String queryMaxCashflow() {
        List<ReportEntity> reportEntities = reportMapper.queryMaxCashflow();
        return JSON.toJSONString(reportEntities);
    }

    @RequestMapping("queryMaxRate1")
    @ResponseBody
    public String queryMaxRate1() {
        List<ReportEntity> reportEntities = reportMapper.queryMaxRate1();
        return JSON.toJSONString(reportEntities);
    }

    @RequestMapping("queryMaxRate2")
    @ResponseBody
    public String queryMaxRate2() {
        List<ReportEntity> reportEntities = reportMapper.queryMaxRate2();
        return JSON.toJSONString(reportEntities);
    }

    @RequestMapping("queryMaxRate3")
    @ResponseBody
    public String queryMaxRate3() {
        List<ReportEntity> reportEntities = reportMapper.queryMaxRate3();
        return JSON.toJSONString(reportEntities);
    }
}

前端部分

之前说过我们采用cdn的方式引入库,所有的代码如下

<!DOCTYPE html>
<html lang="en">
<head>
    <meta charset="utf-8">
    <meta http-equiv="X-UA-Compatible" content="IE=edge">
    <meta name="viewport" content="width=device-width,initial-scale=1.0">
    
    <!-- 引入样式 -->
    <link rel="stylesheet" href="https://cdn.bootcdn.net/ajax/libs/element-plus/2.3.3/index.css" rel="stylesheet">
    <!-- 引入vue3 -->
    <script src="https://unpkg.com/vue@3"></script>
    <!-- 引入element plus -->
    <script src="https://cdn.bootcdn.net/ajax/libs/element-plus/2.3.3/index.full.js"></script>
    <script src="https://unpkg.com/axios/dist/axios.min.js"></script>
    <title>上交所公司半年报数据简析</title>

    <style lang="scss">
        #app {
          font-family: Avenir, Helvetica, Arial, sans-serif;
          -webkit-font-smoothing: antialiased;
          -moz-osx-font-smoothing: grayscale;
          text-align: center;
          color: #2c3e50;
          margin: 0;
          padding: 0;
        }
    </style>
</head>
<body>

    <div id="app">
        <el-container>
            <el-header style=" background-color: burlywood;">
                <el-text style="text-align: center;" :size="large">
                    <h1>上交所公司半年报数据简析</h1>
                </el-text>
            </el-header>
            <el-row>
                <el-col :span="2"></el-col>
                <el-col :span="20">
                    <el-row>
                        <el-col :span="10">
                        <el-descriptions title="整体统计数据"
                            :column="1"
                            :size="large"
                            :border="true">
                            <el-descriptions-item label="平均营业收入(元):">
                                <el-text>
                                    <div>{{ baseInfo.incomeavg }}</div>
                                </el-text>
                            </el-descriptions-item><br>
                            <el-descriptions-item label="平均净利润(元):">
                                <el-text>
                                    <div>{{ baseInfo.profit1avg }}</div>
                                </el-text>
                            </el-descriptions-item>
                            <el-descriptions-item label="平均经营现金流(元):">
                                <el-text>
                                    <div>{{ baseInfo.cashflowavg }}</div>
                                </el-text>
                            </el-descriptions-item>
                            <el-descriptions-item label="平均净资产收益率(%):">
                                <el-text>
                                    <div>{{ baseInfo.rate1avg }}</div>
                                </el-text>
                            </el-descriptions-item>
                            <el-descriptions-item label="平均每股收益(元):">
                                <el-text>
                                    <div>{{ baseInfo.rate2avg }}</div>
                                </el-text>
                            </el-descriptions-item>
                            <el-descriptions-item label="平均资产负债率(%):">
                                <el-text>
                                    <div>{{ baseInfo.rate3avg }}</div>
                                </el-text>
                            </el-descriptions-item>
                        </el-descriptions>
                        </el-col>
                    </el-row>
                    <br><br>
                    <el-card class="box-card">
                        <template #header>
                            <div class="card-header">
                                <el-text :size="middle">经营收入排名前十的公司</el-text>
                            </div>
                        </template>
                        <el-table :data="maxIncome" stripe style="width: 100%" class="table-container">
                            <el-table-column prop="company" label="公司名称"> </el-table-column>
                            <el-table-column prop="stock" label="股票代码"> </el-table-column>
                            <el-table-column prop="income" label="营业收入(元)"> </el-table-column>
                            <el-table-column prop="profit1" label="净利润(元)"> </el-table-column>
                            <el-table-column prop="profit2" label="扣非净利润(元)"> </el-table-column>
                            <el-table-column prop="cashflow" label="经营现金流(元)"> </el-table-column>
                            <el-table-column prop="rate1" label="净资产收益率(%)"> </el-table-column>
                            <el-table-column prop="rate2" label="基本每股收益(元)"> </el-table-column>
                            <el-table-column prop="rate3" label="资产负债率(%)"> </el-table-column>
                        </el-table>
                    </el-card>
                    <br><br>
                    <el-card class="box-card">
                        <template #header>
                            <div class="card-header">
                                <el-text :size="middle">净利润排名前十的公司</el-text>
                            </div>
                        </template>
                        <el-table :data="maxProfit" stripe style="width: 100%" class="table-container">
                            <el-table-column prop="company" label="公司名称"> </el-table-column>
                            <el-table-column prop="stock" label="股票代码"> </el-table-column>
                            <el-table-column prop="income" label="营业收入(元)"> </el-table-column>
                            <el-table-column prop="profit1" label="净利润(元)"> </el-table-column>
                            <el-table-column prop="profit2" label="扣非净利润(元)"> </el-table-column>
                            <el-table-column prop="cashflow" label="经营现金流(元)"> </el-table-column>
                            <el-table-column prop="rate1" label="净资产收益率(%)"> </el-table-column>
                            <el-table-column prop="rate2" label="基本每股收益(元)"> </el-table-column>
                            <el-table-column prop="rate3" label="资产负债率(%)"> </el-table-column>
                        </el-table>
                    </el-card>
                    <br><br>
                    <el-card class="box-card">
                        <template #header>
                            <div class="card-header">
                                <el-text :size="middle">经营现金流排名前十的公司</el-text>
                            </div>
                        </template>
                        <el-table :data="maxCashflow" stripe style="width: 100%" class="table-container">
                            <el-table-column prop="company" label="公司名称"> </el-table-column>
                            <el-table-column prop="stock" label="股票代码"> </el-table-column>
                            <el-table-column prop="income" label="营业收入(元)"> </el-table-column>
                            <el-table-column prop="profit1" label="净利润(元)"> </el-table-column>
                            <el-table-column prop="profit2" label="扣非净利润(元)"> </el-table-column>
                            <el-table-column prop="cashflow" label="经营现金流(元)"> </el-table-column>
                            <el-table-column prop="rate1" label="净资产收益率(%)"> </el-table-column>
                            <el-table-column prop="rate2" label="基本每股收益(元)"> </el-table-column>
                            <el-table-column prop="rate3" label="资产负债率(%)"> </el-table-column>
                        </el-table>
                    </el-card>
                    <br><br>
                    <el-card class="box-card">
                        <template #header>
                            <div class="card-header">
                                <el-text :size="middle">资产收益率排名前十的公司</el-text>
                            </div>
                        </template>
                        <el-table :data="maxRate1" stripe style="width: 100%" class="table-container">
                            <el-table-column prop="company" label="公司名称"> </el-table-column>
                            <el-table-column prop="stock" label="股票代码"> </el-table-column>
                            <el-table-column prop="income" label="营业收入(元)"> </el-table-column>
                            <el-table-column prop="profit1" label="净利润(元)"> </el-table-column>
                            <el-table-column prop="profit2" label="扣非净利润(元)"> </el-table-column>
                            <el-table-column prop="cashflow" label="经营现金流(元)"> </el-table-column>
                            <el-table-column prop="rate1" label="净资产收益率(%)"> </el-table-column>
                            <el-table-column prop="rate2" label="基本每股收益(元)"> </el-table-column>
                            <el-table-column prop="rate3" label="资产负债率(%)"> </el-table-column>
                        </el-table>
                    </el-card>
                    <br><br>
                    <el-card class="box-card">
                        <template #header>
                            <div class="card-header">
                                <el-text :size="middle">基本每股收益排名前十的公司</el-text>
                            </div>
                        </template>
                        <el-table :data="maxRate2" stripe style="width: 100%" class="table-container">
                            <el-table-column prop="company" label="公司名称"> </el-table-column>
                            <el-table-column prop="stock" label="股票代码"> </el-table-column>
                            <el-table-column prop="income" label="营业收入(元)"> </el-table-column>
                            <el-table-column prop="profit1" label="净利润(元)"> </el-table-column>
                            <el-table-column prop="profit2" label="扣非净利润(元)"> </el-table-column>
                            <el-table-column prop="cashflow" label="经营现金流(元)"> </el-table-column>
                            <el-table-column prop="rate1" label="净资产收益率(%)"> </el-table-column>
                            <el-table-column prop="rate2" label="基本每股收益(元)"> </el-table-column>
                            <el-table-column prop="rate3" label="资产负债率(%)"> </el-table-column>
                        </el-table>
                    </el-card>
                    <br><br>
                    <el-card class="box-card">
                        <template #header>
                            <div class="card-header">
                                <el-text :size="middle">资产负债率排名前十的公司</el-text>
                            </div>
                        </template>
                        <el-table :data="maxRate3" stripe style="width: 100%" class="table-container">
                            <el-table-column prop="company" label="公司名称"> </el-table-column>
                            <el-table-column prop="stock" label="股票代码"> </el-table-column>
                            <el-table-column prop="income" label="营业收入(元)"> </el-table-column>
                            <el-table-column prop="profit1" label="净利润(元)"> </el-table-column>
                            <el-table-column prop="profit2" label="扣非净利润(元)"> </el-table-column>
                            <el-table-column prop="cashflow" label="经营现金流(元)"> </el-table-column>
                            <el-table-column prop="rate1" label="净资产收益率(%)"> </el-table-column>
                            <el-table-column prop="rate2" label="基本每股收益(元)"> </el-table-column>
                            <el-table-column prop="rate3" label="资产负债率(%)"> </el-table-column>
                        </el-table>
                    </el-card>

                </el-col>
                <el-col :span="2"></el-col>
            </el-row>
            
        </el-container>
 
    </div>

</body>
</html>


<script type="text/javascript">
    const app = Vue.createApp({
      mounted() {
        this.getAllInfo();
      },
      data() {
        return {
            baseInfo : {
                "incomeavg" : 0,
                "profit1avg" : 0,
                "cashflowavg" : 0,
                "rate1avg" : 0,
                "rate2avg" : 0,
                "rate3avg" : 0,
            },
            maxIncome : [],
            maxProfit : [],
            maxCashflow : [],
            maxRate1 : [],
            maxRate2 : [],
            maxRate3 : [],
        }
      },
      methods: {
        getAllInfo() {
            var url0 = "http://localhost:8081/queryBaseInfo";
            axios.get(url0).then((response) => {
                console.log(response)
                this.baseInfo.incomeavg = response.data.incomeavg;
                this.baseInfo.profit1avg = response.data.profit1avg;
                this.baseInfo.cashflowavg = response.data.cashflowavg;
                this.baseInfo.rate1avg = response.data.rate1avg;
                this.baseInfo.rate2avg = response.data.rate2avg;
                this.baseInfo.rate3avg = response.data.rate3avg;
            })
            .catch(function (error) {
                console.log(error);
            });
            var url1 = "http://localhost:8081/queryMaxIncome";
            axios.get(url1).then((response) => {
                console.log(response)
                this.maxIncome = response.data;
            })
            .catch(function (error) {
                console.log(error);
            });
            var url2 = "http://localhost:8081/queryMaxProfit";
            axios.get(url2).then((response) => {
                console.log(response)
                this.maxProfit = response.data;
            })
            .catch(function (error) {
                console.log(error);
            });
            var url3 = "http://localhost:8081/queryMaxCashflow";
            axios.get(url3).then((response) => {
                console.log(response)
                this.maxCashflow = response.data;
            })
            .catch(function (error) {
                console.log(error);
            });
            var url4 = "http://localhost:8081/queryMaxRate1";
            axios.get(url4).then((response) => {
                console.log(response)
                this.maxRate1 = response.data;
            })
            .catch(function (error) {
                console.log(error);
            });
            var url5 = "http://localhost:8081/queryMaxRate2";
            axios.get(url5).then((response) => {
                console.log(response)
                this.maxRate2 = response.data;
            })
            .catch(function (error) {
                console.log(error);
            });
            var url6 = "http://localhost:8081/queryMaxRate3";
            axios.get(url6).then((response) => {
                console.log(response)
                this.maxRate3 = response.data;
            })
            .catch(function (error) {
                console.log(error);
            });

        },
      }
    }).use(ElementPlus).mount('#app');  

</script>

结语

可以从上面的分享看出来整体的逻辑非常简单,就是写sql获取数据然后前端页面进行展示,下面分享一些详细数据。

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

如若内容造成侵权/违法违规/事实不符,请联系我们进行投诉反馈qq邮箱809451989@qq.com,一经查实,立即删除!

相关文章

[架构之路-245/创业之路-76]:目标系统 - 纵向分层 - 企业信息化的呈现形态:常见企业信息化软件系统 - 企业资源管理计划ERP

目录 前言&#xff1a; 一、企业信息化的结果&#xff1a;常见企业信息化软件 1.1 企业资源管理计划 1.1.1 什么是ERP&#xff1a;企业最常用的信息管理系统 1.1.2 ERP的演进过程 1.1.3 EPR模块 1.1.4 EPR五个层级 1.1.5 企业EPR业务总体流程图 1.1.6 什么类型的企业需…

数据结构——线性表①(顺序表)

一、线性表定义 线性表是一种数据结构&#xff0c;它是由n个具有相同数据类型的数据元素a1,a2,…,an组成的有限序列。 其中&#xff0c;除第一个元素a1外&#xff0c;每一个元素有且只有一个直接前驱元素&#xff0c;除了最后一个元素an外&#xff0c;每一个元素有且只有一个…

公司电脑禁用U盘的方法

公司电脑禁用U盘的方法 安企神U盘管理系统下载使用 在这个复杂的数据时代&#xff0c;保护公司数据的安全性至关重要。其中&#xff0c;防止未经授权的数据泄露是其中的一个关键环节。U盘作为一种常用的数据传输工具&#xff0c;也成为了潜在的安全风险。因此&#xff0c;公司…

【ES专题】ElasticSearch快速入门

目录 前言从一个【搜索】说起 阅读对象前置知识笔记正文一、全文检索1.1 什么是【全文检索】1.2 【全文检索】原理1.3 什么是倒排索引 二、ElasticSearch简介2.1 ElasticSearch介绍2.2 ElasticSearch应用场景2.3 数据库横向对比 三、ElasticSearch环境搭建3.1 Windows下安装3.2…

pytorch:R-CNN的pytorch实现

pytorch&#xff1a;R-CNN的pytorch实现 仅作为学习记录&#xff0c;请谨慎参考&#xff0c;如果错误请评论指出。 参考文献&#xff1a;Rich Feature Hierarchies for Accurate Object Detection and Semantic Segmentation      https://blog.csdn.net/qq_41694024/cat…

springboot是如何工作的

一、前言 现在java后端开发框架比较多的使用springboot框架&#xff0c;springboot是在以前的springMVC进行封装和优化&#xff0c;最大的特点是简化了配置和内置Tomcat。本节通过阅读源码理解springboot是如何工作的。 二、springboot是如何工作的 1、从启动类开始 /***服务…

【Proteus仿真】【Arduino单片机】SG90舵机控制

文章目录 一、功能简介二、软件设计三、实验现象联系作者 一、功能简介 本项目使用Proteus8仿真Arduino单片机控制器&#xff0c;使用SG90舵机等。 主要功能&#xff1a; 系统运行后&#xff0c;舵机开始运行。 二、软件设计 /* 作者&#xff1a;嗨小易&#xff08;QQ&#x…

链表加法与节点交换:数据结构的基础技能

目录 两两交换链表中的节点单链表加一链表加法使用栈实现使用链表反转实现 两两交换链表中的节点 给你一个链表&#xff0c;两两交换其中相邻的节点&#xff0c;并返回交换后链表的头节点。你必须在不修改节点内部的值的情况下完成本题&#xff08;即&#xff0c;只能进行节点…

关于深度学习中Attention的一些简单理解

Attention 机制 Attention应用在了很多最流行的模型中&#xff0c;Transformer、BERT、GPT等等。 Attention就是计算一个加权平均&#xff1b;通过加权平均的权值来自计算每个隐藏层之间的相关度&#xff1b; 示例 Attention 机制 Attention应用在了很多最流行的模型中&am…

基于深度学习的人脸专注度检测计算系统 - opencv python cnn 计算机竞赛

文章目录 1 前言2 相关技术2.1CNN简介2.2 人脸识别算法2.3专注检测原理2.4 OpenCV 3 功能介绍3.1人脸录入功能3.2 人脸识别3.3 人脸专注度检测3.4 识别记录 4 最后 1 前言 &#x1f525; 优质竞赛项目系列&#xff0c;今天要分享的是 &#x1f6a9; 基于深度学习的人脸专注度…

【机器学习】决策树与分类案例分析

决策树与分类案例分析 文章目录 决策树与分类案例分析1. 认识决策树2. 分类3. 决策树的划分依据4. 决策树API5. 案例&#xff1a;鸢尾花分类6. 决策树可视化7. 总结 1. 认识决策树 决策树思想的来源非常朴素&#xff0c;程序设计中的条件分支结构就是if-else结构&#xff0c;最…

【数据结构】复杂度

&#x1f525;博客主页&#xff1a; 小羊失眠啦. &#x1f3a5;系列专栏&#xff1a;《C语言》 《数据结构》 《Linux》《Cpolar》 ❤️感谢大家点赞&#x1f44d;收藏⭐评论✍️ 文章目录 一、什么是数据结构二、什么是算法三、算法的效率四、时间复杂度4.1 时间复杂度的概念4…

【100天精通Python】Day72:Python可视化_一文掌握Seaborn库的使用《二》_分类数据可视化,线性模型和参数拟合的可视化,示例+代码

目录 1. 分类数据的可视化 1.1 类别散点图&#xff08;Categorical Scatter Plot&#xff09; 1.2 类别分布图&#xff08;Categorical Distribution Plot&#xff09; 1.3 类别估计图&#xff08;Categorical Estimate Plot&#xff09; 1.4 类别单变量图&#xff08;Cat…

远程IO:实现立体车库高效运营的秘密武器

随着城市的发展&#xff0c;车辆无处停放的问题变得越来越突出。为了解决这个问题&#xff0c;立体车库应运而生。立体车库具有立体空间利用率高、存取车方便、安全可靠等优点&#xff0c;成为现代城市停车的重要解决方案。 立体车库控制系统介绍 在立体车库中&#xff0c;控制…

基于51单片机的四种波形信号发生器仿真设计(仿真+程序源码+设计说明书+讲解视频)

本设计 基于51单片机信号发生器仿真设计 &#xff08;仿真程序源码设计说明书讲解视频&#xff09; 仿真原版本&#xff1a;proteus 7.8 程序编译器&#xff1a;keil 4/keil 5 编程语言&#xff1a;C语言 设计编号&#xff1a;S0015 这里写目录标题 基于51单片机信号发生…

简单明了!网关Gateway路由配置filters实现路径重写及对应正则表达式的解析

问题背景&#xff1a; 前端需要发送一个这样的请求&#xff0c;但出现404 首先解析请求的变化&#xff1a; http://www.51xuecheng.cn/api/checkcode/pic 1.请求先打在nginx&#xff0c;www.51xuecheng.cn/api/checkcode/pic部分匹配到了之后会转发给网关进行处理变成localho…

Android底层摸索改BUG(二):Android系统移除预置APP

首先我先提供以下博主博文&#xff0c;对相关知识点可以提供理解、解决、思考的 Android 系统如何预装第三方应用以及常见问题汇集android Android.mk属性说明及预置系统app操作说明系Android 中去除系统原生apk的方法 取消预置APK方法一&#xff1a; 其实就是上面的链接3&a…

Day 4 登录页及路由 (二) -- Vue状态管理

状态管理 之前的实现中&#xff0c;判断登录状态用了伪实现&#xff0c;实际当中&#xff0c;应该是以缓存中的数据为依据来进行的。这就涉及到了应用程序中的状态管理。在Vue中&#xff0c;状态管理之前是Vuex&#xff0c;现在则是推荐使用Pinia&#xff0c;在脚手架项目创建…

linux查看系统版本、内核信息、操作系统类型版本

1. 使用 uname 命令&#xff1a;这将显示完整的内核版本信息&#xff0c;包括内核版本号、主机名、操作系统类型等。 uname -a2. 使用 lsb_release 命令&#xff08;仅适用于支持 LSB&#xff08;Linux Standard Base&#xff09;的发行版&#xff09;&#xff1a;这将显示包含…

HCIE怎么系统性学习?这份HCIE学习路线帮你解决

华为认证体系覆盖ICT行业十一个技术领域共十三个技术方向的认证&#xff0c;今天我们分享的是其中最热门的数据通信方向的HCIE学习路线。 HCIE是华为认证体系中最高级别的ICT技术认证 &#xff0c;旨在打造高含金量的专家级认证&#xff0c;为技术融合背景下的ICT产业提供新的能…