使用 jdbc 技术升级水果库存系统(后端最终版本,不包含前端)

 1、配置依赖

    <dependencies><dependency><groupId>org.projectlombok</groupId><artifactId>lombok</artifactId><version>1.18.10</version></dependency><dependency><groupId>junit</groupId><artifactId>junit</artifactId><version>4.12</version><scope>test</scope></dependency><dependency><groupId>mysql</groupId><artifactId>mysql-connector-java</artifactId><version>8.0.28</version></dependency><dependency><groupId>com.alibaba</groupId><artifactId>druid</artifactId><version>1.2.16</version></dependency></dependencies>

2、Fruit 实体类

package com.csdn.fruit.pojo;
import lombok.AllArgsConstructor;
import lombok.Data;
import lombok.NoArgsConstructor;
import java.io.Serializable;
@Data
@NoArgsConstructor
@AllArgsConstructor
public class Fruit implements Serializable {private Integer fid;private String fname;private Integer price;private Integer fcount;private String remark;public Fruit(String fname, Integer price, Integer fcount, String remark) {this.fname = fname;this.price = price;this.fcount = fcount;this.remark = remark;}@Overridepublic String toString() {return fname + "\t\t" + price + "\t\t" + fcount + "\t\t" + remark;}
}

 3、设计数据访问对象层DAO接口

package com.csdn.fruit.dao;
import com.csdn.fruit.pojo.Fruit;
import java.util.List;
//dao :Data Access Object 数据访问对象
//接口设计
public interface FruitDao {void addFruit(Fruit fruit);void delFruit(String fname);void updateFruit(Fruit fruit);List<Fruit> getFruitList();Fruit getFruitByFname(String fname);
}

 4、设计DAO层的实现类

package com.csdn.fruit.dao.impl;
import com.csdn.fruit.dao.FruitDao;
import com.csdn.fruit.pojo.Fruit;
import com.csdn.mymvc.dao.BaseDao;
import java.util.List;
public class FruitDaoImpl extends BaseDao<Fruit> implements FruitDao {@Overridepublic void addFruit(Fruit fruit) {String sql = "insert into t_fruit values (0,?,?,?,?)";super.executeUpdate(sql, fruit.getFname(), fruit.getPrice(), fruit.getFcount(), fruit.getRemark());}@Overridepublic void delFruit(String fname) {String sql = "delete from t_fruit where fname=?";super.executeUpdate(sql, fname);}@Overridepublic void updateFruit(Fruit fruit) {String sql = "update  t_fruit set fcount=? where fname = ?";super.executeUpdate(sql, fruit.getFcount(), fruit.getFname());}@Overridepublic List<Fruit> getFruitList() {return super.executeQuery("select * from t_fruit");}@Overridepublic Fruit getFruitByFname(String fname) {return load("select * from t_fruit where fname = ?", fname);}
}

 5、编写 jdbc 配置文件

jdbc.driver=com.mysql.cj.jdbc.Driver
jdbc.url=jdbc:mysql:///fruitdb
jdbc.user=root
jdbc.pwd=123456
jdbc.init_size=5
jdbc.max_active=20
jdbc.max_wait=3000

6、 设计数据库操作层(抽象类)

package com.csdn.mymvc.dao;
import com.alibaba.druid.pool.DruidDataSource;
import com.csdn.mymvc.util.ClassUtil;
import javax.sql.DataSource;
import java.io.IOException;
import java.io.InputStream;
import java.lang.reflect.ParameterizedType;
import java.lang.reflect.Type;
import java.sql.*;
import java.util.ArrayList;
import java.util.List;
import java.util.Properties;
public abstract class BaseDao<T> {private String entityClassName;public BaseDao() {// this 是谁? this代表的是 FruitDaoImpl 的实例对象,因为 BaseDao是抽象类,不能直接创建对象,所以 new 的是它的子类对象 FruitDaoImpl// this.getClass() 获取的是 FruitDaoImpl 的Class对象// getGenericSuperclass() 获取到的是:BaseDao<Fruit>// Type 是顶层接口,表示所有的类型。它有一个子接口:ParameterizedTypeParameterizedType genericSuperclass = (ParameterizedType) this.getClass().getGenericSuperclass();// Actual:实际的// getActualTypeArguments() 获取实际的类型参数Type[] actualTypeArguments = genericSuperclass.getActualTypeArguments();Type actualTypeArgument = actualTypeArguments[0];// System.out.println(actualTypeArgument.getTypeName());//com.csdn.fruit.pojo.FruitentityClassName = actualTypeArgument.getTypeName();initDataSource();}private DataSource dataSource;//加载jdbc.properties文件private void initDataSource() {try {InputStream inputStream = getClass().getClassLoader().getResourceAsStream("jdbc.properties");Properties properties = new Properties();properties.load(inputStream);String driver = properties.getProperty("jdbc.driver", "com.mysql.cj.jdbc.Driver");String url = properties.getProperty("jdbc.url", "jdbc:mysql:///fruitdb");String user = properties.getProperty("jdbc.user", "root");String pwd = properties.getProperty("jdbc.pwd", "123456");Integer initSize = Integer.parseInt(properties.getProperty("jdbc.init_size", "5"));Integer maxActive = Integer.parseInt(properties.getProperty("jdbc.max_active", "10"));Integer maxWait = Integer.parseInt(properties.getProperty("jdbc.max_wait", "5000"));DruidDataSource druidDataSource = new DruidDataSource();druidDataSource.setDriverClassName(driver);druidDataSource.setUrl(url);druidDataSource.setUsername(user);druidDataSource.setPassword(pwd);druidDataSource.setInitialSize(initSize);druidDataSource.setMaxActive(maxActive);druidDataSource.setMaxWait(maxWait);dataSource = druidDataSource;} catch (IOException e) {throw new RuntimeException(e);}}private Connection getConn() throws SQLException {return dataSource.getConnection();}private void close(Connection conn, PreparedStatement psmt, ResultSet rs) {try {if (rs != null) {rs.close();}if (psmt != null) {psmt.close();}if (conn != null && !conn.isClosed()) {conn.close();}} catch (SQLException e) {throw new RuntimeException(e);}}//抽取执行更新方法//执行更新,返回影响行数//如果是执行 insert,那么可以尝试返回自增列的值protected int executeUpdate(String sql, Object... params) {boolean insertFlag = sql.trim().toUpperCase().startsWith("INSERT");Connection conn = null;PreparedStatement psmt = null;try {conn = getConn();psmt = insertFlag ? conn.prepareStatement(sql, Statement.RETURN_GENERATED_KEYS) : conn.prepareStatement(sql);setParams(psmt, params);int count = psmt.executeUpdate();if (insertFlag) {ResultSet rs = psmt.getGeneratedKeys();if (rs.next()) {Long id = rs.getLong(1);count = id.intValue();}}return count;} catch (SQLException e) {throw new RuntimeException(e);} finally {close(conn, psmt, null);}}//设置参数private void setParams(PreparedStatement psmt, Object... params) throws SQLException {if (params != null && params.length > 0) {for (int i = 0; i < params.length; i++) {psmt.setObject(i + 1, params[i]);}}}//执行查询,返回集合protected List<T> executeQuery(String sql, Object... params) {List<T> list = new ArrayList<>();Connection conn = null;PreparedStatement psmt = null;ResultSet rs = null;try {conn = getConn();psmt = conn.prepareStatement(sql);setParams(psmt, params);rs = psmt.executeQuery();ResultSetMetaData rsmd = rs.getMetaData();//元数据,结果集的结构数据while (rs.next()) {//T t = new T();  T仅仅是一个符号,所以不能 newT t = (T) ClassUtil.createInstance(entityClassName);int columnCount = rsmd.getColumnCount();//获取结果集的列的数据//jdbc中都是从 1 开始,所以要把 i 改成 从 1 开始for (int i = 1; i <= columnCount; i++) {//假设循环 5 次,得到 5 个值,应该对应的是一个对象的 5 个属性的值String columnName = rsmd.getColumnLabel(i);Object columnValue = rs.getObject(i);//给 t 这个对象的 columnName 属性赋 columnValue 值ClassUtil.setProperty(t, columnName, columnValue);}list.add(t);}return list;} catch (SQLException e) {throw new RuntimeException(e);} finally {close(conn, psmt, rs);}}protected T load(String sql, Object... params) {Connection conn = null;PreparedStatement psmt = null;ResultSet rs = null;try {conn = getConn();psmt = conn.prepareStatement(sql);setParams(psmt, params);rs = psmt.executeQuery();ResultSetMetaData rsmd = rs.getMetaData();//元数据,结果集的结构数据if (rs.next()) {//T t = new T();  T仅仅是一个符号,所以不能 newT t = (T) ClassUtil.createInstance(entityClassName);int columnCount = rsmd.getColumnCount();//获取结果集的列的数据//jdbc中都是从 1 开始,所以要把 i 改成 从 1 开始for (int i = 1; i <= columnCount; i++) {//假设循环 5 次,得到 5 个值,应该对应的是一个对象的 5 个属性的值String columnName = rsmd.getColumnLabel(i);Object columnValue = rs.getObject(i);//给 t 这个对象的 columnName 属性赋 columnValue 值ClassUtil.setProperty(t, columnName, columnValue);}return t;}} catch (SQLException e) {throw new RuntimeException(e);} finally {close(conn, psmt, rs);}return null;}//select max(age) as max_age ,  avg(age)  as avg_age from t_user// 28               24.5//select deptNo,avg(sal)  as avg_sal  from emp  group by deptNo/*** d001       3500* d002       3650* d003       2998*/protected List<Object[]> executeComplexQuery(String sql, Object... params) {List<Object[]> list = new ArrayList<>();Connection conn = null;PreparedStatement psmt = null;ResultSet rs = null;try {conn = getConn();psmt = conn.prepareStatement(sql);setParams(psmt, params);rs = psmt.executeQuery();ResultSetMetaData rsmd = rs.getMetaData();//元数据,结果集的结构数据while (rs.next()) {int columnCount = rsmd.getColumnCount();//获取结果集的列的数据Object[] arr = new Object[columnCount];//jdbc中都是从 1 开始,所以要把 i 改成 从 1 开始for (int i = 1; i <= columnCount; i++) {Object columnValue = rs.getObject(i);//数组从 0 开始,所以要减 1arr[i - 1] = columnValue;}list.add(arr);}return list;} catch (SQLException e) {throw new RuntimeException(e);} finally {close(conn, psmt, rs);}}
}

7、 设计Class工具类

package com.csdn.mymvc.util;
import java.lang.reflect.Field;
import java.lang.reflect.InvocationTargetException;
public class ClassUtil {public static Object createInstance(String entityClassName) {try {return Class.forName(entityClassName).getDeclaredConstructor().newInstance();} catch (InstantiationException | IllegalAccessException | InvocationTargetException | NoSuchMethodException |ClassNotFoundException e) {throw new RuntimeException(e);}}public static void setProperty(Object instance, String propertyName, Object propertyValue) {Class<?> aClass = instance.getClass();try {Field field = aClass.getDeclaredField(propertyName);field.setAccessible(true);field.set(instance, propertyValue);} catch (NoSuchFieldException | IllegalAccessException e) {throw new RuntimeException(e);}}
}

 8、测试DAO层实现类

package com.csdn.dao.impl;
import com.csdn.fruit.dao.FruitDao;
import com.csdn.fruit.dao.impl.FruitDaoImpl;
import com.csdn.fruit.pojo.Fruit;
import org.junit.Test;
import java.util.List;
public class FruitDaoImplTest {private FruitDao fruitDao = new FruitDaoImpl();@Testpublic void testAddFruit() {Fruit fruit = new Fruit("香蕉", 7, 77, "波罗蜜是一种神奇的水果!");fruitDao.addFruit(fruit);}@Testpublic void testDelFruit() {fruitDao.delFruit("哈密瓜");}@Testpublic void testUpdateFruit() {Fruit fruit = new Fruit("波罗蜜", 5, 1000, "好吃");fruitDao.updateFruit(fruit);}@Testpublic void testGetFruitList() {List<Fruit> fruitList = fruitDao.getFruitList();fruitList.stream().forEach(System.out::println);}@Testpublic void testGetFruitByFname() {Fruit fruit = fruitDao.getFruitByFname("波罗蜜");System.out.println(fruit);}/*// this 是谁? this代表的是 FruitDaoImpl 的实例对象,因为 BaseDao是抽象类,不能直接创建对象,所以 new 的是它的子类对象 FruitDaoImpl// this.getClass() 获取的是 FruitDaoImpl 的Class对象// getGenericSuperclass() 获取到的是:BaseDao<Fruit>// Type 是顶层接口,表示所有的类型。它有一个子接口:ParameterizedTypeParameterizedType genericSuperclass = (ParameterizedType) this.getClass().getGenericSuperclass();// Actual:实际的// getActualTypeArguments() 获取实际的类型参数Type[] actualTypeArguments = genericSuperclass.getActualTypeArguments();Type actualTypeArgument = actualTypeArguments[0];// System.out.println(actualTypeArgument.getTypeName());//com.csdn.fruit.pojo.FruitentityClassName = actualTypeArgument.getTypeName();loadJdbcProperties();
*/@Testpublic void testActualTypeArgument() {//这个方法是用来测试  actualTypeArgument 实际返回的参数}
}

 9、设计控制台操作菜单

package com.csdn.fruit.view;
import com.csdn.fruit.dao.FruitDao;
import com.csdn.fruit.dao.impl.FruitDaoImpl;
import com.csdn.fruit.pojo.Fruit;
import java.util.List;
import java.util.Scanner;
public class Menu {Scanner input = new Scanner(System.in);private FruitDao fruitDao = new FruitDaoImpl();//显示主菜单public int showMainMenu() {System.out.println("================欢迎使用水果库存系统===================");System.out.println("1.显示库存列表");System.out.println("2.添加库存记录");System.out.println("3.查看特定库存");System.out.println("4.水果下架");System.out.println("5.退出");System.out.println("====================================================");System.out.print("请选择:");return input.nextInt();}//显示库存列表public void showFruitList() {List<Fruit> fruitList = fruitDao.getFruitList();System.out.println("----------------------------------------------------");System.out.println("名称\t\t单价\t\t库存\t\t备注");if (fruitList == null || fruitList.size() <= 0) {System.out.println("对不起,库存为空!");} else {/* fruitList.forEach(new Consumer<Fruit>() {@Overridepublic void accept(Fruit fruit) {System.out.println(fruit);}});*///fruitList.forEach(fruit -> System.out.println(fruit));fruitList.forEach(System.out::println);}System.out.println("----------------------------------------------------");}//添加库存记录public void addFruit() {System.out.print("请输入水果名称:");String fname = input.next();Fruit fruit = fruitDao.getFruitByFname(fname);if (fruit == null) {System.out.print("请输入水果单价:");Integer price = input.nextInt();System.out.print("请输入水果库存:");Integer fcount = input.nextInt();System.out.print("请输入水果备注:");String remark = input.next();fruit = new Fruit(fname, price, fcount, remark);fruitDao.addFruit(fruit);} else {System.out.print("请输入追加的库存量:");Integer fcount = input.nextInt();fruit.setFcount(fruit.getFcount() + fcount);fruitDao.updateFruit(fruit);}System.out.println("添加成功!");}//查看特定库存记录public void showFruitInfo() {System.out.print("请输入水果名称:");String fname = input.next();Fruit fruit = fruitDao.getFruitByFname(fname);if (fruit == null) {System.out.println("对不起,没有找到对应的库存记录!");} else {System.out.println("----------------------------------------------------");System.out.println("名称\t\t单价\t\t库存\t\t备注");System.out.println(fruit);System.out.println("----------------------------------------------------");}}//水果下架public void delFruit() {System.out.print("请输入水果名称:");String fname = input.next();Fruit fruit = fruitDao.getFruitByFname(fname);if (fruit == null) {System.out.println("对不起,没有找到需要下架的库存记录!");} else {System.out.print("是否确认下架?(Y/N)");String confirm = input.next();if ("y".equalsIgnoreCase(confirm)) {fruitDao.delFruit(fname);}}}//退出public boolean exit() {System.out.print("是否确认退出?(Y/N)");String confirm = input.next();boolean flag= !"y".equalsIgnoreCase(confirm);return flag;}
}

 10、设计客户端

package com.csdn.fruit.view;
public class Client {public static void main(String[] args) {Menu m = new Menu();boolean flag = true;while (flag) {int slt = m.showMainMenu();switch (slt) {case 1:m.showFruitList();break;case 2:m.addFruit();break;case 3:m.showFruitInfo();break;case 4:m.delFruit();break;case 5://方法设计时是否需要返回值,依据是:是否在调用的地方需要留下一些值用于再运算flag = m.exit();break;default:System.out.println("你不按套路出牌!");break;}}System.out.println("谢谢使用!再见!");}
}

 

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

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

相关文章

C++继承总结(下)——菱形继承

一.什么是菱形继承 菱形继承是多继承的一种特殊情况&#xff0c;一个类有多个父类&#xff0c;这些父类又有相同的父类或者祖先类&#xff0c;那么该类就会有多份重复的成员&#xff0c;从而造成调用二义性和数据冗余。 class Person {public:Person(){cout << "P…

FL Studio21最新中文汉化解锁版,2024怎么激活FL Studio

FL Studio2024最新中文汉化解锁版是一款功能强大的数字音频工作站&#xff08;DAW&#xff09;&#xff0c;它广泛应用于音乐创作和音乐制作领域。在使用FL Studio时&#xff0c;购买正版软件是否有必要呢&#xff1f;本文将详细探讨FL Studio的功能特点以及正版软件的重要性。…

傅里叶级数系数的完整详细算法

傅里叶级数系数的完整详细算法 一、三角函数相关公式和定积分 在分析傅里叶级数之前&#xff0c;一定要先熟悉三角函数的相关公式&#xff0c;以及三角函数的积分。 1、两角和公式&#xff1a; sin(αβ) sin(α) * cos(β) cos(α) * sin(β) sin(α-β) sin(α) * co…

容联七陌百度营销通BCP解决方案,让营销更精准

百度营销通作为一个快速迭代、满足客户多元化营销需求的高效率营销工具成为众多企业的选择&#xff0c;通过百度营销通BCP对接&#xff0c;企业就可以在百度咨询页接入会话&#xff0c;收集百度来源的访客搜索关键词&#xff0c;通过百度推广获取更多的精准客户&#xff0c;从而…

2023年第四届MathorCup大数据挑战赛(B题)|电商零售商家需求预测及库存优化问题|数学建模完整代码+建模过程全解全析

当大家面临着复杂的数学建模问题时&#xff0c;你是否曾经感到茫然无措&#xff1f;作为2021年美国大学生数学建模比赛的O奖得主&#xff0c;我为大家提供了一套优秀的解题思路&#xff0c;让你轻松应对各种难题。 希望这些想法对大家的做题有一定的启发和借鉴意义。 让我们来…

高级路由配置

目录 路由协议认证 Ripv2的认证配置 OSPF认证 BGP认证 OSPF特殊区域 BGP的选路规则 路由策略&#xff08;route-policy和filter-policy&#xff09; IP-Prefix List:前缀列表 Filter-Policy 路由引入&#xff08;import-route&#xff09; Filter-policy和route-pol…

目标跟踪ZoomTrack: Target-aware Non-uniform Resizing for Efficient Visual Tracking

论文作者&#xff1a;Yutong Kou,Jin Gao,Bing Li,Gang Wang,Weiming Hu,Yizheng Wang,Liang Li 作者单位&#xff1a;CASIA; University of Chinese Academy of Sciences; ShanghaiTech University; Beijing Institute of Basic Medical Sciences; People AI, Inc 论文链接&…

Java 反射机制详解

目录 一. 前言 二. 反射基础 2.1. Class 类 2.2. 类加载 三. 反射的使用 3.1. Class类对象的获取 3.2. Constructor类及其用法 3.3. Field类及其用法 3.4. Method类及其用法 四. 反射机制执行的流程 4.1. 反射获取类实例 4.2. 获取构造器的过程 4.3. 反射获取方法…

吐血整理,Jmeter服务端性能测试-线程阻塞问题案例分析(超细)

目录&#xff1a;导读 前言一、Python编程入门到精通二、接口自动化项目实战三、Web自动化项目实战四、App自动化项目实战五、一线大厂简历六、测试开发DevOps体系七、常用自动化测试工具八、JMeter性能测试九、总结&#xff08;尾部小惊喜&#xff09; 前言 1、Jstack打印快照…

【微信小程序】数字化会议OA系统之投票模块(附源码)

&#x1f389;&#x1f389;欢迎来到我的CSDN主页&#xff01;&#x1f389;&#x1f389; &#x1f3c5;我是Java方文山&#xff0c;一个在CSDN分享笔记的博主。&#x1f4da;&#x1f4da; &#x1f31f;推荐给大家我的专栏《微信小程序开发实战》。&#x1f3af;&#x1f3a…

FoneDog iOS Unlocker(ios解锁工具) 适用macos电脑

FoneDog iOS Unlocker是一款专业的iOS设备解锁工具&#xff0c;旨在帮助用户解决iOS设备上的解锁问题。该软件支持解锁各种锁定类型&#xff0c;如数字密码锁、手势密码锁、Touch ID和Face ID等&#xff0c;可以解除iPhone、iPad和iPod Touch等设备的锁定状态。FoneDog iOS Unl…

react-组件间的通讯

一、父传子 父组件在使用子组件时&#xff0c;提供要传递的数据子组件通过props接收数据 class Parent extends React.Component {render() {return (<div><div>我是父组件</div><Child name"张" age{16} /></div>)} }const Child …

NEWCC:新时代的区块链生态新币私募造势平台

在当今区块链领域&#xff0c;这项技术已经为金融资产注入了全新的生机&#xff0c;同时也为初创企业提供了新的商业模式和融资机会。通过代币的金融属性&#xff0c;企业和项目方得以实现资本的初期积累&#xff0c;同时在区块链空间以更低成本和更高效率进行交易和服务创新。…

【广州华锐互动】VR公司工厂消防逃生演练带来沉浸式的互动体验

在工业生产过程中&#xff0c;安全问题始终是我们不能忽视的重要环节。特别是火灾事故&#xff0c;不仅会造成重大的经济损失&#xff0c;更会威胁到员工的生命安全。传统的消防安全训练方法&#xff0c;如讲座、实地演练等&#xff0c;虽然具有一定的效果&#xff0c;但是无法…

ZooKeeper中节点的操作命令(查看、创建、删除节点)

天行健&#xff0c;君子以自强不息&#xff1b;地势坤&#xff0c;君子以厚德载物。 每个人都有惰性&#xff0c;但不断学习是好好生活的根本&#xff0c;共勉&#xff01; 文章均为学习整理笔记&#xff0c;分享记录为主&#xff0c;如有错误请指正&#xff0c;共同学习进步。…

docker部署prometheus+grafana服务器监控(二) - 安装数据收集器 node-exporter

在目标服务器安装数据收集器 node-exporter 1. 安装数据收集器 node-exporter wget https://github.com/prometheus/node_exporter/releases/download/v1.6.1/node_exporter-1.6.1.linux-amd64.tar.gztar xvf node_exporter-1.6.1.linux-amd64.tar.gzmv node_exporter-1.6.1…

短视频矩阵系统搭建/源头----源码

一、智能剪辑、矩阵分发、无人直播、爆款文案于一体独立应用开发 抖去推----主要针对本地生活的----移动端(小程序软件系统&#xff0c;目前是全国源头独立开发)&#xff0c;开发功能大拆解分享&#xff0c;功能大拆解&#xff1a; 7大模型剪辑法&#xff08;数学阶乘&#xff…

SQL Server Management Studio (SSMS)的安装教程

文章目录 SQL Server Management Studio (SSMS)的安装教程从Microsoft官网下载SQL Server Management Studio安装程序。选中安装程序右键并选择“以管理员的身份运行”选项选择安装目录&#xff0c;单击“安装”按钮开始安装过程安装成功界面安装完成后&#xff0c;您可以启动S…

银河麒麟v10x86或者arm离线安装服务

银河麒麟v10x86或者arm离线安装服务 最近有个项目&#xff0c;甲方的服务器用的全是国产化服务器银河麒麟&#xff0c;架构是x86的然后也无法连接外网&#xff0c;需要离线安装服务正常思路就是找到离线安装的包&#xff0c;然后拷贝到现场的服务器中进行安装所以问题就在于如…

机器学习——正则化

正则化 在机器学习学习中往往不知道需要不知道选取的特征个数&#xff0c;假如特征个数选取过少&#xff0c;容易造成欠拟合&#xff0c;特征个数选取过多&#xff0c;则容易造成过拟合。由此为了保证模型能够很好的拟合样本&#xff0c;同时为了不要出现过拟合现象&#xff0…