当前位置: 首页 > news >正文

JDBC学习笔记(三)高级篇

一、JDBC 优化及工具类封装

1.1 现有问题

1.2 JDBC 工具类封装 V1.0

resources/db.properties配置文件:

driverClassName=com.mysql.cj.jdbc.Driver
url=jdbc:mysql:///atguigu
username=root
password=123456
initialSize=10
maxActive=20

工具类代码:

package com.atguigu.advanced.senior.util;import com.alibaba.druid.pool.DruidDataSourceFactory;import javax.sql.DataSource;
import java.io.IOException;
import java.io.InputStream;
import java.sql.Connection;
import java.sql.SQLException;
import java.util.Properties;/*** JDBC工具类(V1.0)*      1.维护一个连接池对象*      2.对外提供在连接池中获取连接的方法*      3.对外提供回收连接的方法*    【注意】:工具类仅对外提供共性的功能代码,所以方法均为静态方法!*/
public class JDBCUtil {//创建连接池引用,因为要提供给当前项目的全局使用,所以创建为静态的private static DataSource dataSource;//在项目启动时,即创建连接池对象,赋值给 dataSourcestatic {try {Properties properties = new Properties();InputStream inputStream = JDBCUtil.class.getClassLoader().getResourceAsStream("db.properties");properties.load(inputStream);dataSource = DruidDataSourceFactory.createDataSource(properties);} catch (Exception e) {throw new RuntimeException(e);}}//对外提供在连接池中获取连接的方法public static Connection getConnection(){try {return dataSource.getConnection();} catch (SQLException e) {throw new RuntimeException(e);}}//对外提供回收连接的方法public static void release(Connection connection){try {connection.close();} catch (SQLException e) {throw new RuntimeException(e);}}
}
测试代码:
package com.atguigu.advanced.senior;import com.atguigu.advanced.senior.util.JDBCUtil;
import org.junit.Test;import java.sql.Connection;public class JDBCUtilTest {@Testpublic void testGetConnection() {Connection connection = JDBCUtil.getConnection();System.out.println(connection);//CRUDJDBCUtil.release(connection);}
}

1.3 ThreadLocal (本地线程)

问题:

同一用户线程多次操作获取了多个连接,造成连接资源的浪费

怎么取?

怎么存?

怎么移除?

  • 在进行对象跨层传递的时候,使用ThreadLocal可以避免多次传递,打破层次间的约束
  • 线程间数据隔离
  • 进行事务操作,用于存储线程事务信息
  • 数据库连接, Session 会话管理

  1. ThreadLocal对象.get:获取ThreadLocal中当前线程共享变量的值
  2. ThreadLocal对象.set:设置ThreadLocal中当前线程共享变量的值
  3. ThreadLocal对象.remove:移除ThreadLocal中当前线程共享变量的值。

1.4 JDBC 工具类封装 V2.0

package com.atguigu.advanced.senior.util;import com.alibaba.druid.pool.DruidDataSourceFactory;import javax.sql.DataSource;
import java.io.InputStream;
import java.sql.Connection;
import java.sql.SQLException;
import java.util.Properties;/*** JDBC工具类(V2.0)*      1.维护一个连接池对象,维护了一个线程绑定变量的ThreadLocal对象*      2.对外提供在ThreadLocal中获取连接的方法*      3.对外提供回收连接的方法,回收过程中,将要回收的连接从ThreadLocal中移除!*    【注意】:工具类仅对外提供共性的功能代码,所以方法均为静态方法!*    【注意】:使用ThreadLocal就是为了一个线程在多次数据库操作过程中,使用的是同一个连接!*/
public class JDBCUtilV2 {//创建连接池引用,因为要提供给当前项目的全局使用,所以创建为静态的private static DataSource dataSource;private static ThreadLocal<Connection> threadLocal = new ThreadLocal<>();//在项目启动时,即创建连接池对象,赋值给 dataSourcestatic {try {Properties properties = new Properties();InputStream inputStream = JDBCUtil.class.getClassLoader().getResourceAsStream("db.properties");properties.load(inputStream);dataSource = DruidDataSourceFactory.createDataSource(properties);} catch (Exception e) {throw new RuntimeException(e);}}//对外提供在连接池中获取连接的方法public static Connection getConnection(){try {//在ThreadLocal中获取ConnectionConnection connection = threadLocal.get();//threadLoacl里没有存储Connection,也就是第一次获取if(connection == null){connection = dataSource.getConnection();threadLocal.set(connection);}return connection;} catch (SQLException e) {throw new RuntimeException(e);}}//对外提供回收连接的方法public static void release(){try {Connection connection = threadLocal.get();if (connection != null){//从threadLocal中移除当前已经存储的Connection对象threadLocal.remove();//将Connection对象归还给连接池connection.close();}connection.close();} catch (SQLException e) {throw new RuntimeException(e);}}}

测试代码

@Testpublic void testJDBCV2(){/*JDBCUtil 获取连接*/Connection connection1 = JDBCUtil.getConnection();Connection connection2 = JDBCUtil.getConnection();Connection connection3 = JDBCUtil.getConnection();System.out.println(connection1);System.out.println(connection1);System.out.println(connection1);System.out.println("================================");/*JDBCUtilV2 获取连接*/Connection connectionA = JDBCUtilV2.getConnection();Connection connectionB = JDBCUtilV2.getConnection();Connection connectionC = JDBCUtilV2.getConnection();System.out.println(connectionA);System.out.println(connectionB);System.out.println(connectionC);}

二、DAO封装及BaseDAO 工具类

2.1 DAO 概念

1、DAO:Data Access Object,数据访问对象。

2、Java 是面向对象语言,数据在 Java 中通常以对象的形式存在。一张表对应一个实体类,一张表的操作对应一个 DAO 对象。

3、在 Java 操作数据库时,我们会将对同一张表的增删改查操作统一维护起来,维护的这个类就是 DAO 层。

4、DAO 层只关注对数据库的操作,供业务层 Service 调用,将职责划分清楚!

EmployeeDao.java

package com.atguigu.advanced.senior.dao;import com.atguigu.advanced.senior.pojo.Employee;import java.util.List;/*** EmployeeDao 这个类对应的是 t_emp 这张表的增删改查的操作*/
public interface EmployeeDao {/*** 数据库对应的查询所有的操作* @return 表中所有的数据*/List<Employee> selectAll();/*** 数据库对应的根据empId查询单个员工数据操作* @param empId* @return 一个员工对象(一行数据)*/Employee selectByEmpId(Integer empId);/*** 数据库对应的新增一条员工数据* @param employee ORM思想中的一个员工对象* @return 受影响的行数*/int insert(Employee employee);/*** 数据库对应的修改一条员工数据* @param employee ORM思想中的一个员工对象* @return 受影响的行数*/int update(Employee employee);/*** 数据库对应的根据empId删除一条员工数据* @param empId 主键列* @return 受影响的行数*/int delete(Integer empId);
}

EmployeeDaoImpl.java

package com.atguigu.advanced.senior.dao.impl;import com.atguigu.advanced.senior.dao.EmployeeDao;
import com.atguigu.advanced.senior.pojo.Employee;import java.util.List;public class EmployeeDaoImpl implements EmployeeDao {@Overridepublic List<Employee> selectAll() {//1.注册驱动//2.获取连接//3.预编译SQL语句//4.为占位符赋值,执行SQL,接受返回结果//5.处理结果//6.释放资源return null;}@Overridepublic Employee selectByEmpId(Integer empId) {return null;}@Overridepublic int insert(Employee employee) {return 0;}@Overridepublic int update(Employee employee) {return 0;}@Overridepublic int delete(Integer empId) {return 0;}
}

2.2 BaseDAO 概念

基本上每一个数据表都应该有一个对应的 DAO 接口及其实现类,发现对所有表的操作(增、删、改、查)代码重复度很高,所以可以抽取公共代码,给这些 DAO 的实现类可以抽取一个公共的父类,复用增删改查的基本操作,我们称为 BaseDAO。

2.3 BaseDAO 搭建

package com.atguigu.advanced.senior.dao;import com.atguigu.advanced.senior.util.JDBCUtilV2;import java.sql.Connection;
import java.sql.PreparedStatement;/*** 将共性的数据库的操作代码封装在BaseDAO里*/
public class BaseDAO {/*** 通用的增删改的方法* @param sql 调用者要执行的SQL语句* @param params SQL语句中的占位符要赋值的参数* @return 受影响的行数*/public int executeUpdate(String sql,Object... params) throws Exception {//1.通过JDBCUtilV2获取数据库连接Connection connection = JDBCUtilV2.getConnection();//3.预编译SQL语句PreparedStatement preparedStatement = connection.prepareStatement(sql);//4.为占位符赋值,执行SQL,接受返回结果if (params != null && params.length > 0){for(int i = 0; i < params.length; i++){//占位符是从1开始的,参数的数组是从0开始的preparedStatement.setObject(i+1,params[i]);}}int row = preparedStatement.executeUpdate();//5.释放资源preparedStatement.close();JDBCUtilV2.release();//6.返回结果return row;}
}

2.4 BaseDAO 的应用

1、BaseDAO 搭建通用查询方法思路

 

package com.atguigu.advanced.senior.dao;import com.atguigu.advanced.senior.util.JDBCUtilV2;import java.lang.reflect.Field;
import java.sql.Connection;
import java.sql.PreparedStatement;
import java.sql.ResultSet;
import java.sql.ResultSetMetaData;
import java.util.ArrayList;
import java.util.List;/*** 将共性的数据库的操作代码封装在BaseDAO里*/
public class BaseDAO {/*** 通用的增删改的方法* @param sql 调用者要执行的SQL语句* @param params SQL语句中的占位符要赋值的参数* @return 受影响的行数*/public int executeUpdate(String sql,Object... params) throws Exception {//1.通过JDBCUtilV2获取数据库连接Connection connection = JDBCUtilV2.getConnection();//3.预编译SQL语句PreparedStatement preparedStatement = connection.prepareStatement(sql);//4.为占位符赋值,执行SQL,接受返回结果if (params != null && params.length > 0){for(int i = 0; i < params.length; i++){//占位符是从1开始的,参数的数组是从0开始的preparedStatement.setObject(i+1,params[i]);}}int row = preparedStatement.executeUpdate();//5.释放资源preparedStatement.close();JDBCUtilV2.release();//6.返回结果return row;}/*** 通用的查询:多行多列、单行多列、单行单列*      多行多列:List<Employee>*      单行多列:Employee*      单行单列:封装的是一个结果。Double、Integer......**  封装的过程:*      1.返回的类型:泛型:类型不确定,调用者知道,调用时,将此次查询的结果类型告知BaseDAO就可以了*      2.返回的结果:通用,List 可以存储多个结果,也可也存储一个结果 get(0)*      3.结果的封装:反射,要求调用者告知BaseDAO要封装对象的类对象。Class*/public <T> List<T> executeQuery(Class<T> clazz, String sql,Object... params) throws Exception {//获取连接Connection connection = JDBCUtilV2.getConnection();//预编译SQL语句PreparedStatement preparedStatement = connection.prepareStatement(sql);//设置占位符的值if(params != null && params.length > 0){for(int i = 0; i < params.length; i++){preparedStatement.setObject(i+1,params[i]);}}//执行SQL,并接受返回的结果集ResultSet resultSet = preparedStatement.executeQuery();//获取结果集中的元数据对象//包含了:列的数量、每个列的名称ResultSetMetaData metaData = resultSet.getMetaData();//获取列的数量int columnCount = metaData.getColumnCount();List<T> list = new ArrayList<T>();//处理结果while (resultSet.next()){//循环一次,代表有一行数据,通过反射创建一个对象T t = clazz.newInstance();//循环遍历当前行的列,循环几次,看有多少列for (int i = 1; i <= columnCount ; i++) {//通过下标获取列的值Object value = resultSet.getObject(i);//获取到的列的value值,这个值就是 t这个对象中的某一个属性//获取当前拿到的列的名字 = 对象的属性名String fieldName = metaData.getColumnLabel(i);//通过类对象和fieldName(字段名)获取要封装的对象的属性Field field = clazz.getDeclaredField(fieldName);//突破封装的privatefield.setAccessible(true);field.set(t, value);}list.add(t);}//资源的关闭resultSet.close();preparedStatement.close();JDBCUtilV2.release();return list;}}

2、BaseDAO 搭建查询单个结果方法

package com.atguigu.advanced.senior.dao;import com.atguigu.advanced.senior.util.JDBCUtilV2;import java.lang.reflect.Field;
import java.sql.Connection;
import java.sql.PreparedStatement;
import java.sql.ResultSet;
import java.sql.ResultSetMetaData;
import java.util.ArrayList;
import java.util.List;/*** 将共性的数据库的操作代码封装在BaseDAO里*/
public class BaseDAO {/*** 通用的增删改的方法* @param sql 调用者要执行的SQL语句* @param params SQL语句中的占位符要赋值的参数* @return 受影响的行数*/public int executeUpdate(String sql,Object... params) throws Exception {//1.通过JDBCUtilV2获取数据库连接Connection connection = JDBCUtilV2.getConnection();//3.预编译SQL语句PreparedStatement preparedStatement = connection.prepareStatement(sql);//4.为占位符赋值,执行SQL,接受返回结果if (params != null && params.length > 0){for(int i = 0; i < params.length; i++){//占位符是从1开始的,参数的数组是从0开始的preparedStatement.setObject(i+1,params[i]);}}int row = preparedStatement.executeUpdate();//5.释放资源preparedStatement.close();JDBCUtilV2.release();//6.返回结果return row;}/*** 通用的查询:多行多列、单行多列、单行单列*      多行多列:List<Employee>*      单行多列:Employee*      单行单列:封装的是一个结果。Double、Integer......**  封装的过程:*      1.返回的类型:泛型:类型不确定,调用者知道,调用时,将此次查询的结果类型告知BaseDAO就可以了*      2.返回的结果:通用,List 可以存储多个结果,也可也存储一个结果 get(0)*      3.结果的封装:反射,要求调用者告知BaseDAO要封装对象的类对象。Class*/public <T> List<T> executeQuery(Class<T> clazz, String sql,Object... params) throws Exception {//获取连接Connection connection = JDBCUtilV2.getConnection();//预编译SQL语句PreparedStatement preparedStatement = connection.prepareStatement(sql);//设置占位符的值if(params != null && params.length > 0){for(int i = 0; i < params.length; i++){preparedStatement.setObject(i+1,params[i]);}}//执行SQL,并接受返回的结果集ResultSet resultSet = preparedStatement.executeQuery();//获取结果集中的元数据对象//包含了:列的数量、每个列的名称ResultSetMetaData metaData = resultSet.getMetaData();//获取列的数量int columnCount = metaData.getColumnCount();List<T> list = new ArrayList<T>();//处理结果while (resultSet.next()){//循环一次,代表有一行数据,通过反射创建一个对象T t = clazz.newInstance();//循环遍历当前行的列,循环几次,看有多少列for (int i = 1; i <= columnCount ; i++) {//通过下标获取列的值Object value = resultSet.getObject(i);//获取到的列的value值,这个值就是 t这个对象中的某一个属性//获取当前拿到的列的名字 = 对象的属性名String fieldName = metaData.getColumnLabel(i);//通过类对象和fieldName(字段名)获取要封装的对象的属性Field field = clazz.getDeclaredField(fieldName);//突破封装的privatefield.setAccessible(true);field.set(t, value);}list.add(t);}//资源的关闭resultSet.close();preparedStatement.close();JDBCUtilV2.release();return list;}/*** 通用查询:在上面查询的集合结果中获取第一个结果,简化了获取单行单列的获取、单行多列的获取*/public <T> T executeQueryBean(Class<T> clazz, String sql, Object... params) throws Exception{List<T> list = this.executeQuery(clazz, sql, params);if (list == null || list.size() == 0){return null;}return list.get(0);}}

3、DAO 结合 BaseDAO 完成 CRUD

工具类:
package com.atguigu.advanced.senior.dao.impl;import com.atguigu.advanced.senior.dao.BaseDAO;
import com.atguigu.advanced.senior.dao.EmployeeDao;
import com.atguigu.advanced.senior.pojo.Employee;import java.util.List;public class EmployeeDaoImpl extends BaseDAO implements EmployeeDao {@Overridepublic List<Employee> selectAll() {//1.注册驱动//2.获取连接//3.预编译SQL语句//4.为占位符赋值,执行SQL,接受返回结果//5.处理结果//6.释放资源try {String sql = "select emp_id empId, emp_name empName, emp_salary empSalary, emp_age empAge from t_emp";return executeQuery(Employee.class,sql,null);} catch (Exception e) {throw new RuntimeException(e);}}@Overridepublic Employee selectByEmpId(Integer empId) {try {String sql = "select emp_id empId,emp_name empName,emp_salary empSalary,emp_age empAge from t_emp where emp_id = ?";return executeQueryBean(Employee.class,sql,empId);} catch (Exception e) {throw new RuntimeException(e);}}@Overridepublic int insert(Employee employee) {try {String sql = "insert into t_emp(emp_name,emp_salary,emp_age) values(?,?,?)";return executeUpdate(sql,employee.getEmpName(),employee.getEmpSalary(),employee.getEmpAge());} catch (Exception e) {throw new RuntimeException(e);}}@Overridepublic int update(Employee employee) {try {String sql = "update t_emp set emp_salary = ? where emp_id = ?";return executeUpdate(sql,employee.getEmpSalary(),employee.getEmpId());} catch (Exception e) {throw new RuntimeException(e);}}@Overridepublic int delete(Integer empId) {try {String sql = "delete from t_emp where emp_id = ?";return executeUpdate(sql,empId);} catch (Exception e) {throw new RuntimeException(e);}}
}
测试代码:
package com.atguigu.advanced.senior;import com.atguigu.advanced.senior.dao.impl.EmployeeDaoImpl;
import com.atguigu.advanced.senior.pojo.Employee;
import com.atguigu.advanced.senior.util.JDBCUtil;
import com.atguigu.advanced.senior.util.JDBCUtilV2;
import org.junit.Test;import java.sql.Connection;
import java.util.List;public class JDBCUtilTest {@Testpublic void testGetConnection() {Connection connection = JDBCUtil.getConnection();System.out.println(connection);//CRUDJDBCUtil.release(connection);}@Testpublic void testJDBCV2(){/*JDBCUtil 获取连接*/Connection connection1 = JDBCUtil.getConnection();Connection connection2 = JDBCUtil.getConnection();Connection connection3 = JDBCUtil.getConnection();System.out.println(connection1);System.out.println(connection1);System.out.println(connection1);System.out.println("================================");/*JDBCUtilV2 获取连接*/Connection connectionA = JDBCUtilV2.getConnection();Connection connectionB = JDBCUtilV2.getConnection();Connection connectionC = JDBCUtilV2.getConnection();System.out.println(connectionA);System.out.println(connectionB);System.out.println(connectionC);}@Testpublic void testEmployeeDao() {//1.创建DAO实现类EmployeeDaoImpl employeeDao = new EmployeeDaoImpl();/*//2.调用查询所有方法List<Employee> employeeList = employeeDao.selectAll();//3.处理结果for (Employee employee : employeeList) {System.out.println("employee = " + employee);}*//*//调用根据id查询单个员工方法Employee employee = employeeDao.selectByEmpId(1);System.out.println("employee = " + employee);*//*//调用添加员工的方法Employee employee = new Employee(null,"tom",300.65,38);int insert = employeeDao.insert(employee);System.out.println("insert = " + insert);*//*//调用更新员工信息的方法Employee employee = new Employee(20009,"tom",656.65,38);int update = employeeDao.update(employee);System.out.println("update = " + update);*///调用删除的方法int delete = employeeDao.delete(20009);System.out.println("delete = " + delete);}
}

三、事务

3.1 事务回顾

  • 数据库事务就是一种SQL语句执行的缓存机制,不会单条执行完毕就更新数据库数据,最终根据缓存内的多条语句执行结果统一判定!一个事务内所有语句都成功及事务成功,我们可以触发 commit 提交事务来结束事务,更新数据!一个事务内任意一条语句失败,即为事务失败,我们可以触发 rollback 回滚结束事务,数据回到事务之前状态!
  • 一个业务涉及多条修改数据库语句!例如:
    • 经典的转账案例,转账业务(A账户减钱和B账户加钱,要一起成功)
    • 批量删除(涉及多个删除)
    • 批量添加(涉及多个插入)
  • 事务的特性:
    • 原子性(Atomicity)原子性是指事务是一个不可分割的工作单位,事务中的操作要么都发生,要么都不发生
    • 一致性(Consistency)事务必须使数据库从一个一致性状态变换到另外一个一致性状态。
    • 隔离性(Isolation)事务的隔离性是指一个事务的执行不能被其他事务干扰,即一个事务内部的操作及使用的数据对并发的其他事务是隔离的,并发执行的各个事务之间不能互相干扰。
    • 持久性(Durability)持久性是指一个事务一旦被提交,它对数据库中数据的改变就是永久性的,接下来的其他操作和数据库故障不应该对其有任何影响
  • 事务的提交方式:
    • 自动提交:每条语句自动存储一个事务中,执行成功自动提交,执行失败自动回滚!
    • 手动提交:手动开启事务,添加语句,手动提交或者手动回滚即可!

3.2 JDBC 中事务实现

关键代码:

@Testpublic void testTransaction(){BankDaoImpl bankDao = new BankDaoImpl();Connection connection = null;//1.获取连接,将连接的事务提交改为手动提交try {connection = JDBCUtilV2.getConnection();connection.setAutoCommit(false);//开启事务,将当前连接的自动提交关闭,改为手动提交!//2.操作减钱bankDao.subMoney(1,100);int i = 10 / 0;//3.操作加钱bankDao.addMoney(2,100);//4.前置的多次dao操作,没有异常,提交事务connection.commit();} catch (Exception e) {try {connection.rollback();} catch (Exception ex) {throw new RuntimeException(ex);}} finally {JDBCUtilV2.release();}}

3.3 JDBC 事务代码实现

  • 准备数据库表
    • -- 继续在atguigu 的库中创建银行表
      CREATE TABLE t_bank(id int primary key auto_increment comment '账号主键',account varchar(20) not null unique comment '账号',money int unsigned comment '金额,不能为负值'
      );insert into t_bank(account, money) VALUES ('zhangsan',1000),('lisi',1000);

  • DAO 接口代码:
package com.atguigu.advanced.senior.dao;public interface BankDao {public int addMoney(Integer id, Integer money);public int subMoney(Integer id, Integer money);
}

接口实现代码:

package com.atguigu.advanced.senior.dao.impl;import com.atguigu.advanced.senior.dao.BankDao;
import com.atguigu.advanced.senior.dao.BaseDAO;public class BankDaoImpl extends BaseDAO implements BankDao {@Overridepublic int addMoney(Integer id, Integer money) {try {String sql = "update t_bank set money = money + ? where id = ?";return executeUpdate(sql,money,id);} catch (Exception e) {throw new RuntimeException(e);}}@Overridepublic int subMoney(Integer id, Integer money) {try {String sql = "update t_bank set money = money - ? where id = ?";return executeUpdate(sql,money,id);} catch (Exception e) {throw new RuntimeException(e);}}
}

【注意】当开启事务后,切记一定要根据代码执行结果来决定是否提交或回滚!否则数据库看不到数据的操作结果!

相关文章:

JDBC学习笔记(三)高级篇

一、JDBC 优化及工具类封装 1.1 现有问题 1.2 JDBC 工具类封装 V1.0 resources/db.properties配置文件&#xff1a; driverClassNamecom.mysql.cj.jdbc.Driver urljdbc:mysql:///atguigu usernameroot password123456 initialSize10 maxActive20 工具类代码&#xff1a; p…...

c++编译器在什么情况下会提供类的默认构造函数等,与析构函数

我们都知道&#xff0c;在 c 里&#xff0c;编写的简单类&#xff0c;若没有自己编写构造析构函数与 copy 构造函数 与 赋值运算符函数&#xff0c;那么编译器会提供这些函数&#xff0c;并实现简单的语义&#xff0c;比如成员赋值。看 源码时&#xff0c;出现了下图类似的情形…...

SpringBoot3整合Mybatis-Plus3.5.5出现的问题

主要是由于 mybatis-plus 中 mybatis 的整合包版本不够导致的 排除 mybatis-plus 中自带的 mybatis 整合包&#xff0c;单独引入即可 java.lang.IllegalArgumentException: Invalid value type for attribute factoryBeanObjectType: java.lang.Stringat org.springframework.…...

服务器数据恢复—强制上线raid5阵列离线硬盘导致raid不可用的数据恢复案例

服务器数据恢复环境&#xff1a; 某品牌2850服务器中有一组由6块SCSI硬盘组建的raid5磁盘阵列&#xff0c;linux操作系统ext3文件系统。 服务器故障&#xff1a; 服务器运行过程中突然瘫痪。服务器管理员检查阵列后发现raid5阵列中有两块硬盘离线&#xff0c;将其中一块硬盘进行…...

初入阿里云,上手走一波

初入阿里云&#xff0c;上手走一波 一阶&#xff1a;ECSMysqlDMS安装Mysql初始化MysqlMysql操作DMS管理Mysql 二阶&#xff1a;ECSOSS远程连接ECSOSS控制台其他图片服务 三阶&#xff1a;更多搭配操作 可以说个人在日常使用过程中&#xff0c;操作最多的阿里云产品就是阿里云服…...

[C++] 小游戏 斗破苍穹 2.2.1至2.11.5所有版本(中) zty出品

目录 2.8.2 2.9.1 2.10.1 2.10.2 2.10.3 2.10.4 2.10.5 2.8.2 #include<stdio.h> #include<iostream> #include<ctime> #include<bits/stdc.h> #include<time.h> //suiji #include<windows.h> //SLEEP函数 using namespace std; st…...

Javaweb---HTTPS

题记 为了保护数据的隐私性我们引入了HTTPS 加密的方式都有那些呢? 1.对称加密: 加密和解密使用的密钥是同一个密钥 2.非对称加密:有两个密钥(一对),分为公钥和私钥(公钥是公开的,私钥是要藏好的) HTTPS的工作过程(旨在对body和header进行加密) 1.对称加密 上述引出的…...

[已解决]ESP32-C3上传程序成功但没有反应的问题

ESP32-C3上传程序成功但没有反应的问题 ESP32-C3是一款功能强大的微控制器&#xff0c;常用于物联网&#xff08;IoT&#xff09;应用的开发和原型设计。然而&#xff0c;有时候在上传程序成功后&#xff0c;设备却没有任何反应&#xff0c;十分让人费解。通过各种尝试已解决这…...

使用 OCLint进行静态代码分析:一个完整的配置示例

文章目录 0. 概述1. 安装 oclint2. oclint配置文件3. 脚本详解3.1 禁用的规则列表3.2 需要启用的规则代码风格代码复杂性命名规范性能安全性其他 4. 检测执行1. 使用 CMake 生成 compile_commands.json2. 运行 Oclint 0. 概述 OCLint是一个静态代码分析工具&#xff0c;通过词…...

【Linux】线程的互斥

一、进程线程间的互斥相关的背景概念 临界资源&#xff1a;多线程执行流共享的资源就叫做临界资源临界区&#xff1a;每一个线程内部&#xff0c;访问临界资源的代码&#xff0c;就叫做临界区互斥&#xff1a;任何时刻&#xff0c;互斥保证有且只有一个执行流进入临界区&#…...

electron如何让你窗口总是显示在最前面【mac解决全屏窗口alwaysOnTop参数不起作用】

你创建了一个使用Electron框架的应用程序,并希望它在以下情况下始终保持可见: 在切换工作区(桌面)时可见在其他应用程序之上显示当其他应用程序全屏显示时,它也显示在顶部当Keynote处于演示模式时,它也能显示在顶部 特别是当Keynote处于演示模式时,要实现这一点比较困难…...

XR和Steam VR项目合并问题

最近有一个项目是用Steam VR开发的&#xff0c;里面部分场景是用VRTK框架做的&#xff0c;还有一部分是用SteamVR SDK自带的Player预制直接开发的。 这样本身没有问题&#xff0c;因为最终都是通过SteamVR SDK处理的&#xff0c;VRTK也管理好了SteamVR的逻辑&#xff0c;并且支…...

uni-app:利用Vue的原型对象Vue.prototype设置全局方法及其引用

一、在main.js中设置方法checkPermission绑定到Vue.prototype 核心代码 Vue.prototype.$checkPermission function(username) {console.log(Checking permission for:, username); }; 完整代码 import App from ./App// 添加 checkPermission 方法到 Vue.prototype 上,检查…...

django接入djangorestframework-simplejwt步骤

版本&#xff1a;django 4.2 python: 3.8 安装 pip install djangorestframework-simplejwtuser子应用models.py文件 from django.db import models from django.contrib.auth.models import AbstractUserclass User(AbstractUser):mobile models.CharField(max_length11, u…...

前端工程化工具系列(十)—— Browserslist:浏览器兼容性配置工具

Browserslist 是一个能够在不同的前端工具间共享目标浏览器的配置&#xff0c;各工具根据该配置进行代码转译等操作。 具体的这些前端工具为&#xff1a;Autoprefixer、Babel、postcss-preset-env、eslint-plugin-compat、stylelint-no-unsupported-browser-features、postcss-…...

双列集合底层源码

tips: 竖着的箭头&#xff1a;重写 横着的箭头&#xff1a;继承...

【Ardiuno】实验使用ESP32连接Wifi(图文)

ESP32最为精华和有特色的地方当然是wifi连接&#xff0c;这里我们就写程序实验一下适使用ESP32主板连接wifi&#xff0c;为了简化实验我们这里只做了连接部分&#xff0c;其他实验在后续再继续。 由于本实验只要在串口监视器中查看结果状态即可&#xff0c;因此电路板上无需连…...

优化家庭网络,路由器无线中继配置全攻略(中兴E1600无线中继设置/如何解决没有预埋有线网络接口的问题/使用闲置路由实现WIFI扩展)

文章目录 📖 介绍 📖🏡 演示环境 🏡📒 网络优化 📒📒 操作步骤 📒💡适用场景🚨 常见问题及解决方案⚓️ 相关链接 ⚓️📖 介绍 📖 在现代家庭生活中,WiFi已经渗透到我们生活的每一个角落,成为了日常生活中不可或缺的一部分。然而,不少用户常常遇到W…...

【ArcGIS微课1000例】0114:基于DEM地形数据整体抬升或下降高程

相关阅读:【GlobalMapper精品教程】083:基于DEM整体抬升或下降地形高程的两种方式 文章目录 一、任务分析二、栅格计算器简介三、地形整体修改四、注意事项一、任务分析 打开软件,加载配套实验数据中的0112.rar中的dem数据,如下所示,dem的高程范围为256.75~342.37米,现在…...

AGP4+ 打包运行闪退,AGP7+ 正常(has code but is marked native or abstract)

问题 安装应用&#xff0c;点击图标启动立马闪退&#xff01; 诡异的闪退&#xff1a;AGP4 打包运行闪退&#xff0c;AGP7 正常 unity 导出的 Android 日志两个主要点&#xff1a; com.android.boot.App 是 Android 的 application 子类&#xff0c;程序入口 java.lang.Class…...

ChatGPT3.5和ChatGPT4.0、ChatGPT4o对比

一、ChatGPT3.5、ChatGPT4.0、ChatGPT4o对比 目前ChatGPT有三个主要版本&#xff0c;分别是ChatGPT3.5、ChatGPT4.0、ChatGPT4o&#xff0c;这三个版本之间有什么差异呢&#xff1f; 对比项ChatGPT3.5ChatGPT4.0ChatGPT4o参数数量1750亿约1万亿未公开输入文本文本、图片文本、…...

【知识拓展】HTTP、WebSocket 和 RPC:区别与使用场景详解

在工作中&#xff0c;HTTP、WebSocket 和 RPC 是三种常见的协议或通信方式&#xff0c;根据资料查阅&#xff0c;本文主要记录它们的区别及其适用的使用场景 HTTP&#xff08;超文本传输协议&#xff09; 概述 HTTP&#xff08;Hypertext Transfer Protocol&#xff09;是一…...

C语言printf( ) 函数和 scanf( ) 函数格式符的修饰符 “*”有什么作⽤?

一、问题 在 printf( ) 函数和 scanf( ) 函数的格式修饰符有很多&#xff0c;以浮点型数据为例&#xff0c;有%f、%lf、 %3.0f、%.4f等。不同的修饰符表示不同的含义&#xff0c;那么修饰符“*”有什么含义呢&#xff1f; 二、解答 下⾯通过例⼦来证明⼀下这个格式符在 printf…...

java 使用WebClient发送https请求

核心逻辑 绕过ssl证书检查 具体操作 话不多说上代码 // 构建WebClient public static WebClient createWebClient() throws SSLException {SslContext context SslContextBuilder.forClient().trustManager(InsecureTrustManagerFactory.INSTANCE).build();HttpClient htt…...

Python 中的内存管理机制

Python 的内存管理机制主要由两个部分组成&#xff1a;垃圾回收机制和引用计数。 垃圾回收机制主要负责检测和回收不再被使用的内存。Python 使用的是自动垃圾回收机制&#xff0c;也就是说程序员不需要手动释放内存。Python 的垃圾回收机制采用了引用计数的方法来追踪和回收不…...

Mac电脑重置网络命令

在Mac电脑上重置网络设置可以通过终端命令来实现。以下是几种方法&#xff0c;包括刷新DNS缓存、重置网络接口&#xff0c;以及重置Wi-Fi设置。 刷新DNS缓存 要刷新DNS缓存&#xff0c;可以使用以下命令&#xff1a; sudo dscacheutil -flushcache; sudo killall -HUP mDNSR…...

C++期末复习总结(2)

目录 1.运算符重载 2.四种运算符重载 &#xff08;1&#xff09;关系运算符的重载 &#xff08;2&#xff09; 左移运算符的重载 &#xff08;3&#xff09;下标运算符的重载 &#xff08;4&#xff09;赋值运算符的重载 3.继承的方式 4.继承的对象模型 5.基类的构造 6…...

[word] word大括号怎么打两行 #其他#其他#微信

word大括号怎么打两行 Word给用户提供了用于创建专业而优雅的文档工具&#xff0c;帮助用户节省时间&#xff0c;并得到优雅美观的结果。 一直以来&#xff0c;Microsoft Office Word 都是最流行的文字处理程序。 作为 Office 套件的核心程序&#xff0c; Word 提供了许多易…...

【python】python指南(二):命令行参数解析器ArgumentParser

一、引言 对于算法工程师来说&#xff0c;语言从来都不是关键&#xff0c;关键是快速学习以及解决问题的能力。大学的时候参加ACM/ICPC一直使用的是C语言&#xff0c;实习的时候做一个算法策略后台用的是php&#xff0c;毕业后做策略算法开发&#xff0c;因为要用spark&#x…...

香橙派 Orange AIpro 测评记录视频硬件解码

香橙派 Orange AIpro 测评记录视频硬件解码 香橙派官网&#xff1a;http://www.orangepi.cn/ 收到了一块Orange Pi AIpro开发板&#xff0c;记录一下我的测评~测评简介如下&#xff1a;1.连接网络2.安装流媒体进行硬件解码测试3.安装IO测试 简介 Orange Pi AI Pro 是香橙派联合…...

wordpress完整安装包/网址安全检测中心

目录 JQuery初级 概念快速入门JQuery对象和JS原生对象的区别选择器DOM操作 内容操作属性操作CRUD操作 案例 JQuery高级 动画遍历事件绑定插件 Ajax 概念实现方式 原生JS实现(了解&#xff09;JQuery实现方式 $.ajax()$.get()$.post() json 概念语法 基本规则获取数据遍历 …...

建设一个网站要多少钱/抚顺网络推广

网站微信登录&#xff0c;做起来挺简单的&#xff0c;我们做这个&#xff0c;首页是要去看微信文档&#xff0c;文档看懂了&#xff0c;然后理清楚逻辑&#xff0c;怎么进行绑定贵公司的账号&#xff0c;业务那块要理清楚&#xff01; 首先&#xff0c;微信官方告诉我们&#…...

网站中页面链接怎么做/贵州百度seo整站优化

冒泡排序比较简单&#xff0c;就是依次比较相邻的数据内容&#xff0c;前者比后者大&#xff0c;则交换数据内容。 public class Sort {static final int MAX 20;public static void main(String[] args) {int[] data new int[MAX];Random random new Random();// 生成一个随…...

wordpress 长图片滑动/信息流广告素材网站

【小白从小学Python、C、Java】 【Python-计算机等级考试二级】 【Python-数据分析】 Python数据分析 判断列表中元素是否全为True 判断列表中元素至少有一个为True all()和any() [太阳]选择题 以下python代码中两次输出结果分别是什么? a [1.0, True, 0, "a&quo…...

js网站登录怎么做/qq群推广网站

Description 给你一个无向图&#xff0c;N(N<500)个顶点, M(M<5000)条边&#xff0c;每条边有一个权值Vi(Vi<30000)。给你两个顶点S和T&#xff0c;求一条路径&#xff0c;使得路径上最大边和最小边的比值最小。如果S和T之间没有路径&#xff0c;输出”IMPOSSIBLE”&a…...

公司网站制作公司排名/企业品牌营销推广

点击关注公众号&#xff0c;Java干货及时送达授权转自&#xff1a;OSCHINA&#xff0c;作者&#xff1a;局长 原文&#xff1a;https://www.oschina.net/news/135658/db-engines-ranking-202104DB-Engines 4 月份流行度排行已更新&#xff0c;基于 3 月份的整体数据变化。从总榜…...