MyBatis从入门到“入土“

 💕喜欢的朋友可以关注一下,下次更新不迷路!💕(●'◡'●)

目录

一、Mybatis为何物?👌

二、快速入门🤣

 1、新建项目😊

2、数据库建表😊

3、导入依赖的jar包😊

4、根据表建pojo类😊

5、编写mapper映射文件(编写sql)😊

 6、编写全局配置文件(主要是配置数据源信息)😊

7、测试😊

三、快速入土😢

代理开发😂

1、定义与SQL映射文件同名的Mapper接口,并且将Mapper接口和SQL映射文件放置在同一目录下。

2、设置SQL映射文件的namespace属性为Mapper接口全限定名。

3、在Mapper接口中定义方法,方法名就是SQL映射文件中sql语句的id,并保持参数类型和返回值类型一致。

4、通过SqlSession的getMapper方法获取Mapper接口的代理对象,并调用对应方法。

 Mybatis核心配置--mybatis-config.xml😂

1、可以连接多个数据库

 2、配置标签

案例😂

1、 建表

2、实体类

3、测试类

4、mybatisx插件

根据方法自动生成mapper映射文件

 5、查询(查询所有)

6、查看详情(根据id查询一个)

7、条件查询

 根据参数接收(无参/一个参数/两个参数/)

散装参数(模糊匹配)

对象参数

map参数

 动态条件查询(用户输入条件时,是否所有条件都会填写。不是,哥们🤣👌)

 使用if,choose,when设定条件

 8、添加

 主键返回

 9、修改

修改全部字段

 修改动态字段

10、删除

单个删除

批量删除

 注解开发😍


 

一、Mybatis为何物?👌

🤦‍♂️恶臭的描述: MyBatis 是一个优秀的持久层框架,它对JDBC的操作数据库的过程进行封装,让开发者只需要关注 SQL 本身,而不需要花费精力去处理例如注册驱动、创建connection、创建statement、手动设置参数、结果集检索等JDBC繁琐的过程代码。

❤️舒服的描述:

不需要手动编写 JDBC 代码来执行 SQL 语句,也不需要处理数据库连接的创建和关闭。

所有的数据库操作都被抽象成了简单的 Mapper 方法调用。 (伟大无需多言!)

Mybatis中文官网

二、快速入门🤣

 前言:

完整结构图

只需要通过如下几个步骤,即可用mybatis快速进行持久层的开发

  1. 编写全局配置文件
  2. 编写mapper映射文件
  3. 加载全局配置文件,生成SqlSessionFactory
  4. 创建SqlSession,调用mapper映射文件中的SQL语句来执行CRUD操作

🤣话不多说,直接Mybatis启动!🤣

 1、新建项目😊

java8

2、数据库建表😊

3、导入依赖的jar包😊

<project xmlns="http://maven.apache.org/POM/4.0.0" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"xsi:schemaLocation="http://maven.apache.org/POM/4.0.0 http://maven.apache.org/maven-v4_0_0.xsd"><modelVersion>4.0.0</modelVersion><groupId>org.itqingshui</groupId><artifactId>mybatis-test1</artifactId><version>1.0-SNAPSHOT</version><name>Archetype - mybatis-test1</name><url>http://maven.apache.org</url><dependencies><dependency><groupId>org.mybatis</groupId><artifactId>mybatis</artifactId><version>3.5.6</version></dependency><dependency><groupId>mysql</groupId><artifactId>mysql-connector-java</artifactId><version>8.0.21</version></dependency><dependency><groupId>org.projectlombok</groupId><artifactId>lombok</artifactId><version>1.18.30</version></dependency></dependencies><build><plugins><plugin><groupId>org.apache.maven.plugins</groupId><artifactId>maven-compiler-plugin</artifactId><version>3.8.1</version><configuration><source>1.8</source> <!-- 替换为你的JDK版本 --><target>1.8</target> <!-- 替换为你的JDK版本 --></configuration></plugin></plugins></build></project>

4、根据表建pojo类😊

package pojo;import lombok.*;@Getter
@Setter
@NoArgsConstructor
@AllArgsConstructor
@ToString
public class Student{private Integer id;private String name;private Integer score;private Integer age;private Integer gender;
}
@Getter
@Setter:省略set,get方法。
@NoArgsConstructor:建立一个无参构造器。
@AllArgsConstructor:建立一个全参构造器。
@ToString:建立一个tostring方法。

5、编写mapper映射文件(编写sql)😊

<?xml version="1.0" encoding="UTF-8" ?>
<!DOCTYPE mapperPUBLIC "-//mybatis.org//DTD Mapper 3.0//EN""http://mybatis.org/dtd/mybatis-3-mapper.dtd">
<mapper namespace="pojo.StudentMapper"><select id="findAll" resultType="pojo.Student">select * from student</select><insert id="insert" parameterType="pojo.Student">insert into student(name,gender,age,score) values(#{name},#{gender},#{age},#{score})</insert><delete id="delete" parameterType="int">delete from student where id=#{id}</delete><update id="update" parameterType="pojo.Student">update student set name=#{name},gender=#{gender},age=#{age},score=#{score} where id=#{id}</update></mapper>

 6、编写全局配置文件(主要是配置数据源信息)😊

resources包下 

<?xml version="1.0" encoding="UTF-8" ?>
<!DOCTYPE configurationPUBLIC "-//mybatis.org//DTD Config 3.0//EN""http://mybatis.org/dtd/mybatis-3-config.dtd">
<configuration><environments default="development"><environment id="development"><transactionManager type="JDBC"/><dataSource type="POOLED"><property name="driver" value="com.mysql.cj.jdbc.Driver"/><property name="url" value="jdbc:mysql://localhost:3306/ssm?useSSL=false&amp;serverTimezone=UTC"/><property name="username" value="lovertx"/><property name="password" value="1234567"/></dataSource></environment></environments><mappers><!-- 加载编写的SQL语句 --><mapper resource="StudentMapper.xml"/></mappers>
</configuration>

7、测试😊

import org.apache.ibatis.io.Resources;
import org.apache.ibatis.session.SqlSession;
import org.apache.ibatis.session.SqlSessionFactory;
import org.apache.ibatis.session.SqlSessionFactoryBuilder;import pojo.Student;import java.io.IOException;
import java.io.InputStream;
import java.util.List;public class MybatisDemo {public static void main(String[] args) throws IOException, ClassNotFoundException {String resource = "mybatis-config.xml";InputStream inputStream = Resources.getResourceAsStream(resource);SqlSessionFactory sqlSessionFactory = new SqlSessionFactoryBuilder().build(inputStream);SqlSession sqlSession = sqlSessionFactory.openSession();List<Student> student = sqlSession.selectList("pojo.StudentMapper.findAll");for (Student s : student){System.out.println(s);}sqlSession.close();}
}

三、快速入土😢

代理开发😂

对于

  List<Student> student = sqlSession.selectList("pojo.StudentMapper.findAll");

目的:

解决原生方式中的硬编码。

简化后期执行SQL

 

1、定义与SQL映射文件同名的Mapper接口,并且将Mapper接口和SQL映射文件放置在同一目录下。

在resources包下创建mapper包并放入StudentMapper.xml

2、设置SQL映射文件的namespace属性为Mapper接口全限定名。

<mapper namespace="pojo.StudentMapper">

改为 

<mapper namespace="mapper.StudentMapper">

3、在Mapper接口中定义方法,方法名就是SQL映射文件中sql语句的id,并保持参数类型和返回值类型一致。

StudentMapper中 

package mapper;import pojo.Student;import java.util.List;public interface StudentMapper {List<Student>  findAll();
}

4、通过SqlSession的getMapper方法获取Mapper接口的代理对象,并调用对应方法。

StudentMapper userMapper = sqlSession.getMapper(StudentMapper.class);
userMapper.findAll().forEach(System.out::println);

 Mybatis核心配置--mybatis-config.xml😂

1、可以连接多个数据库

可以配置多个environment,通过default属性切换不同的environment 

<?xml version="1.0" encoding="UTF-8" ?>
<!DOCTYPE configurationPUBLIC "-//mybatis.org//DTD Config 3.0//EN""http://mybatis.org/dtd/mybatis-3-config.dtd">
<configuration><environments default="development"><environment id="development"><transactionManager type="JDBC"/><dataSource type="POOLED"><property name="driver" value="com.mysql.cj.jdbc.Driver"/><property name="url" value="jdbc:mysql://localhost:3306/ssm?useSSL=false&amp;serverTimezone=UTC"/><property name="username" value="lovertx"/><property name="password" value="1234567"/></dataSource></environment></environments><environments default="development"><environment id="development"><transactionManager type="JDBC"/><dataSource type="POOLED"><property name="driver" value="com.mysql.cj.jdbc.Driver"/><property name="url" value="jdbc:mysql://localhost:3306/ssm?useSSL=false&amp;serverTimezone=UTC"/><property name="username" value="lovertx"/><property name="password" value="1234567"/></dataSource></environment></environments><mappers><!-- 加载编写的SQL语句 --><mapper resource="mapper/StudentMapper.xml"/></mappers>
</configuration>

 2、配置标签

案例😂

1、 建表

id:主键

brand_name:品牌名称

company_name:企业名称

ordered:排序字段

description:描述信息

status:状态(0:禁用,1启用)

2、实体类

package pojo;import lombok.*;@Setter
@Getter
@NoArgsConstructor
@AllArgsConstructor
@ToString
public class Brand {private Integer id;private String brand_name;private String company_name;private Integer ordered;private String description;private Integer status;
}

3、测试类

4、mybatisx插件

通过点击左边的红色小鸟 

 

可以找到蓝色小鸟

 

 

根据方法自动生成mapper映射文件

1、第一步:在StudentMapper中

package mapper;import pojo.Student;import java.util.List;public interface StudentMapper {List<Student>  findAll();Student findById(int id);
}

2、使用插件自动生成

<select id="findById" resultType="pojo.Student"></select>

3、补充实际操作

<select id="findById" resultType="pojo.Student">select * from student where id=#{id}</select>

 5、查询(查询所有)

1、创建BrandMapper(先写方法,后自动写sql)

 

package mapper;import pojo.Brand;
import java.util.List;public interface BrandMapper {List<Brand> findAll();
}

2、创建BrandMapper.xml

package mapper;import pojo.Brand;
import java.util.List;public interface BrandMapper {List<Brand> findAll();
}

 3、配置映射文件

在mybatis-config.xml添加 <mapper resource="mapper/BrandMapper.xml"/>

<mappers><!-- 加载编写的SQL语句 --><mapper resource="mapper/StudentMapper.xml"/><mapper resource="mapper/BrandMapper.xml"/></mappers>

 4、测试类

import mapper.BrandMapper;
import org.apache.ibatis.io.Resources;
import org.apache.ibatis.session.SqlSession;
import org.apache.ibatis.session.SqlSessionFactory;
import org.apache.ibatis.session.SqlSessionFactoryBuilder;import java.io.IOException;
import java.io.InputStream;public class MybatisDemo3 {public static void main(String[] args) throws IOException, ClassNotFoundException {String resource = "mybatis-config.xml";InputStream inputStream = Resources.getResourceAsStream(resource);SqlSessionFactory sqlSessionFactory = new SqlSessionFactoryBuilder().build(inputStream);SqlSession sqlSession = sqlSessionFactory.openSession();BrandMapper userMapper = sqlSession.getMapper(BrandMapper.class);userMapper.findAll().forEach(System.out::println);sqlSession.close();}
}

6、查看详情(根据id查询一个)

BrandMapper中写: 

Brand findById(int id);
public interface BrandMapper {List<Brand> findAll();Brand findById(int id);
}

BrandMapper.xml中写:

<select id="findById" resultType="pojo.Brand">select * from tb_brand where id = #{id}</select>

 测试类中写:

public class MybatisDemo {public static void main(String[] args) throws IOException, ClassNotFoundException {String resource = "mybatis-config.xml";InputStream inputStream = Resources.getResourceAsStream(resource);SqlSessionFactory sqlSessionFactory = new SqlSessionFactoryBuilder().build(inputStream);SqlSession sqlSession = sqlSessionFactory.openSession();BrandMapper brandMapper = sqlSession.getMapper(BrandMapper.class);Brand brand = brandMapper.findById(1);System.out.println(brand);sqlSession.close();}
}

7、条件查询

类似于实现这样的功能:

 根据参数接收(无参/一个参数/两个参数/)
散装参数(模糊匹配)

因模糊匹配需要处理参数

接口方法

List<Brand> selectByCondition(@Param("status") int status, @Param("company_name") String company_name, @Param("brand_name") String brand_name);

sql语句

<select id="selectByCondition" resultType="pojo.Brand">select * from tb_brandwhere status = #{status}and brand_name like #{brand_name}and company_name like #{company_name}</select>

测试类 

public class MybatisDemo {public static void main(String[] args) throws IOException {//接收参数int status = 1;String company_name = "华为";String brand_name = "华为";//因模糊匹配,所有处理参数company_name = "%" + company_name + "%";brand_name = "%" + brand_name + "%";String resource = "mybatis-config.xml";InputStream inputStream = Resources.getResourceAsStream(resource);SqlSessionFactory sqlSessionFactory = new SqlSessionFactoryBuilder().build(inputStream);SqlSession sqlSession = sqlSessionFactory.openSession();BrandMapper brandMapper = sqlSession.getMapper(BrandMapper.class);List<Brand> brands = brandMapper.selectByCondition(status, company_name, brand_name);for (Brand brand : brands) {System.out.println(brand);}sqlSession.close();}
}

 

对象参数

对象的属性名称要和参数占位符名称一致


Mapper接口:

List<Brand> selectByCondition(Brand brand);

sql语句:

<select id="selectByCondition" resultType="pojo.Brand">select * from tb_brandwhere status = #{status}and brand_name like #{brand_name}and company_name like #{company_name}</select>

 测试类:

多了个封装对象

public class MybatisDemo {public static void main(String[] args) throws IOException {//接收参数int status = 1;String company_name = "华为";String brand_name = "华为";//因模糊匹配,所有处理参数company_name = "%" + company_name + "%";brand_name = "%" + brand_name + "%";//封装对象Brand brand = new Brand();brand.setStatus(status);brand.setCompany_name(company_name);brand.setBrand_name(brand_name);String resource = "mybatis-config.xml";InputStream inputStream = Resources.getResourceAsStream(resource);SqlSessionFactory sqlSessionFactory = new SqlSessionFactoryBuilder().build(inputStream);SqlSession sqlSession = sqlSessionFactory.openSession();BrandMapper brandMapper = sqlSession.getMapper(BrandMapper.class);//      List<Brand> brands = brandMapper.selectByCondition(status, company_name, brand_name);List<Brand> brands = brandMapper.selectByCondition(brand);for (Brand brand1 : brands) {System.out.println(brand1);}sqlSession.close();}
}

map参数

 Mapper接口:

List<Brand> selectByCondition(Map map);

sql语句:

<select id="selectByCondition" resultType="pojo.Brand">select * from tb_brandwhere status = #{status}and brand_name like #{brand_name}and company_name like #{company_name}</select>

测试类:

public class MybatisDemo {public static void main(String[] args) throws IOException {//接收参数int status = 1;String company_name = "华为";String brand_name = "华为";//因模糊匹配,所有处理参数company_name = "%" + company_name + "%";brand_name = "%" + brand_name + "%";//封装对象
//        Brand brand = new Brand();
//        brand.setStatus(status);
//        brand.setCompany_name(company_name);
//        brand.setBrand_name(brand_name);Map map = new HashMap();map.put("status",status);map.put("company_name",company_name);map.put("brand_name",brand_name);String resource = "mybatis-config.xml";InputStream inputStream = Resources.getResourceAsStream(resource);SqlSessionFactory sqlSessionFactory = new SqlSessionFactoryBuilder().build(inputStream);SqlSession sqlSession = sqlSessionFactory.openSession();BrandMapper brandMapper = sqlSession.getMapper(BrandMapper.class);//      List<Brand> brands = brandMapper.selectByCondition(status, company_name, brand_name);
//      List<Brand> brands = brandMapper.selectByCondition(brand);List<Brand> brands = brandMapper.selectByCondition(map);for (Brand brand1 : brands) {System.out.println(brand1);}sqlSession.close();}
}
 动态条件查询(用户输入条件时,是否所有条件都会填写。不是,哥们🤣👌)

只需要修改sql语句:

<select id="selectByCondition" resultType="pojo.Brand">select * from tb_brandwhere<if test="status != null">status = #{status}</if><if test="brand_name != null and brand_name != ''">and brand_name like #{brand_name}</if><if test="company_name != null and company_name != ''">and company_name like #{company_name}</if></select>

  可是当特殊条件缺少时会出现错误:

 Map map = new HashMap();//map.put("status",status);map.put("company_name",company_name);//map.put("brand_name",brand_name);

 解决:恒等式

将sql语句修改为:

<select id="selectByCondition" resultType="pojo.Brand">select * from tb_brand<where><if test="status != null">and status = #{status}</if><if test="brand_name != null and brand_name != ''">and brand_name like #{brand_name}</if><if test="company_name != null and company_name != ''">and company_name like #{company_name}</if></where></select>
 使用if,choose,when设定条件
<select id="selectByConditionOne" resultType="pojo.Brand">select * from tb_brandwhere<choose><!--相当于switch--><when test="status != null"><!--相当于case-->status = #{status}</when><when test="brand_name != null and brand_name != ''">brand_name like #{brand_name}</when><when test="company_name != null and company_name != ''">company_name like #{company_name}</when><otherwise><!--当用户一个条件都不给-->1=1</otherwise></choose></select>

 8、添加

 接口方法

void add(Brand brand);

sql语句

<insert id="add">insert into tb_brand(brand_name,company_name,ordered,description,status)values(#{brand_name},#{company_name},#{ordered},#{description},#{status})</insert>

 测试类

public class MybatisDemo3 {public static void main(String[] args) throws IOException, ClassNotFoundException {String resource = "mybatis-config.xml";InputStream inputStream = Resources.getResourceAsStream(resource);SqlSessionFactory sqlSessionFactory = new SqlSessionFactoryBuilder().build(inputStream);SqlSession sqlSession = sqlSessionFactory.openSession();BrandMapper userMapper = sqlSession.getMapper(BrandMapper.class);int status = 1;String company_name = "菠萝手机";String brand_name = "菠萝";int ordered = 1;String description = "美国有苹果,中国有菠萝";Brand brand = new Brand();brand.setStatus(status);brand.setCompany_name(company_name);brand.setBrand_name(brand_name);brand.setOrdered(ordered);brand.setDescription(description);userMapper.add(brand);
//事务提交sqlSession.commit();sqlSession.close();}
}
 主键返回

实现可查询主键id的值

 因为事务回滚导致少了id=4

因此查询菠萝的id的值为5


将sql语句改为

<insert id="add" useGeneratedKeys="true" keyProperty="id">insert into tb_brand(brand_name,company_name,ordered,description,status)values(#{brand_name},#{company_name},#{ordered},#{description},#{status})</insert>

即添加

useGeneratedKeys="true" keyProperty="id"

 9、修改

修改全部字段

实现

 Mapper接口

void update(Brand brand);

SQL语句

<update id="update">update tb_brand<set><if test="brand_name != null and brand_name != ''">brand_name = #{brand_name},</if><if test="company_name != null and company_name != ''">company_name = #{company_name},</if><if test="ordered != null">ordered = #{ordered},</if><if test="description != null and description != ''">description =#{description},status = #{status}</if>where id = #{id}</set></update>

测试类

public class UpdateTest {public static void main(String[] args) throws IOException{String resource = "mybatis-config.xml";InputStream inputStream = Resources.getResourceAsStream(resource);SqlSessionFactory sqlSessionFactory = new SqlSessionFactoryBuilder().build(inputStream);SqlSession sqlSession = sqlSessionFactory.openSession(true);BrandMapper brandMapper = sqlSession.getMapper(BrandMapper.class);Brand brand = new Brand();brand.setId(5);brand.setBrand_name("香飘飘");brand.setCompany_name("香飘飘");brand.setDescription("香飘飘");brand.setOrdered(100);brand.setStatus(1);brandMapper.update(brand);sqlSession.close();}
}
 修改动态字段

实现修改密码功能(想单独改哪个值就改哪个值)

如果调用接口却不给参数,则数据库会出现null值🤦‍♂️

 实现

只需要在SQL语句中添加条件,添加<set>标签

<update id="update">update tb_brand<set><if test="brand_name != null and brand_name != ''">brand_name = #{brand_name},</if><if test="company_name != null and company_name != ''">company_name = #{company_name},</if><if test="ordered != null">ordered = #{ordered},</if><if test="description != null and description != ''">description =#{description},status = #{status}</if>where id = #{id}</set></update>

10、删除

单个删除

Mapper接口

void delete(int id);

 SQL语句

<delete id="delete">delete from tb_brand where id = #{id}</delete>

测试类

public class DeleteTest {public static void main(String[] args) throws IOException, IOException {String resource = "mybatis-config.xml";InputStream inputStream = Resources.getResourceAsStream(resource);SqlSessionFactory sqlSessionFactory = new SqlSessionFactoryBuilder().build(inputStream);SqlSession sqlSession = sqlSessionFactory.openSession(true);BrandMapper brandMapper = sqlSession.getMapper(BrandMapper.class);brandMapper.delete(2);sqlSession.close();}
}
批量删除

 ​​​​​​

 实现

传id数组,sql遍历数组,一个一个删掉

Mapper接口

void deleteByIds(@Param("ids") int[] ids);

 SQL语句

<delete id="deleteByIds">delete from tb_brand where id in<foreach collection="ids" item="id" open="(" separator="," close=")">#{id}</foreach></delete>

 测试类

public class DeleteTest2 {public static void main(String[] args) throws IOException, IOException {String resource = "mybatis-config.xml";InputStream inputStream = Resources.getResourceAsStream(resource);SqlSessionFactory sqlSessionFactory = new SqlSessionFactoryBuilder().build(inputStream);SqlSession sqlSession = sqlSessionFactory.openSession(true);BrandMapper brandMapper = sqlSession.getMapper(BrandMapper.class);int []ids = {5,6};brandMapper.deleteByIds(ids);sqlSession.close();}
}

 注解开发😍

优点:对于简单的SQL语句使用注解开发会非常便捷。

@Select("select * from tb_user where id = #{id}")
public User selectById(int id);

查询:@Select

添加:@Insert

修改:  @Update

删除:@Delete 

缺点:对于复杂的SQL语句应使用xml映射文件编写。

<?xml version="1.0" encoding="UTF-8" ?>
<!DOCTYPE mapperPUBLIC "-//mybatis.org//DTD Mapper 3.0//EN""http://mybatis.org/dtd/mybatis-3-mapper.dtd">
<mapper namespace="mapper.BrandMapper"><insert id="add" useGeneratedKeys="true" keyProperty="id">insert into tb_brand(brand_name,company_name,ordered,description,status)values(#{brand_name},#{company_name},#{ordered},#{description},#{status})</insert><update id="update">update tb_brand<set><if test="brand_name != null and brand_name != ''">brand_name = #{brand_name},</if><if test="company_name != null and company_name != ''">company_name = #{company_name},</if><if test="ordered != null">ordered = #{ordered},</if><if test="description != null and description != ''">description =#{description},status = #{status}</if>where id = #{id}</set></update><delete id="delete">delete from tb_brand where id = #{id}</delete><delete id="deleteByIds">delete from tb_brand where id in<foreach collection="ids" item="id" open="(" separator="," close=")">#{id}</foreach></delete><select id="findAll" resultType="pojo.Brand">select * from tb_brand</select><select id="findById" resultType="pojo.Brand">select * from tb_brand where id = #{id}</select><!--    <select id="selectByCondition" resultType="pojo.Brand">-->
<!--        select * from tb_brand-->
<!--        where status = #{status}-->
<!--            and brand_name like #{brand_name}-->
<!--            and company_name like #{company_name}-->
<!--    </select>--><select id="selectByCondition" resultType="pojo.Brand">select * from tb_brand<where><if test="status != null">and status = #{status}</if><if test="brand_name != null and brand_name != ''">and brand_name like #{brand_name}</if><if test="company_name != null and company_name != ''">and company_name like #{company_name}</if></where></select><select id="selectByConditionOne" resultType="pojo.Brand">select * from tb_brandwhere<choose><!--相当于switch--><when test="status != null"><!--相当于case-->status = #{status}</when><when test="brand_name != null and brand_name != ''">brand_name like #{brand_name}</when><when test="company_name != null and company_name != ''">company_name like #{company_name}</when><otherwise><!--当用户一个条件都不给-->1=1</otherwise></choose></select>
</mapper>

 💕完结撒花!💕

 

 

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

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

相关文章

vue3 路由跳转 携带参数

实现功能&#xff1a;页面A 跳转到 页面B&#xff0c;携带参数 路由router.ts import { createRouter, createWebHistory } from "vue-router";const routes: RouteRecordRaw[] [{path: "/demo/a",name: "aa",component: () > import(&quo…

【软件设计师】2018年的上午题总结

2018 2018上半年2018下半年 2018上半年 1.小阶向大阶对齐 2.吞吐率是最长流水段操作时间的倒数 3.ssh的端口号是22 4.s所发送的信息使用s的私钥进行数字签名&#xff0c;t收到后使用s的公钥验证消息的真实性 5.数据流分析是被动攻击方式 6.《计算机软件保护条例》是国务院颁布…

226.翻转二叉树

翻转一棵二叉树。 思路&#xff1a; 指针做交换 用递归&#xff08;前序or后序&#xff0c;中序不行&#xff09; 前序&#xff1a;中左右 遍历到“中”的时候&#xff0c;交换它的左右孩子 然后分别对它的左孩子和右孩子使用“交换函数”&#xff08;定义的&#xff09;&a…

【论文阅读】使用深度学习及格子玻尔兹曼模拟对SEM图像表征粘土结构及其对储层的影响

文章目录 0、论文基本信息1、深度学习2、可运行程序—Matlab3、深度切片3、LBM模拟4、局限性 0、论文基本信息 论文标题&#xff1a;Characterizing clay textures and their impact on the reservoir using deep learning and Lattice-Boltzmann simulation applied to SEM i…

Python-温故知新

1快速打开.ipynb文件 安装好anaconda后&#xff0c;在需要打开notebook的文件夹中&#xff0c; shift键右键——打开powershell窗口——输入jupyter notebook 即可在该文件夹中打开notebook的页面&#xff1a; 2 快速查看函数用法 光标放在函数上——shift键tab 3...

CGAN|生成手势图像|可控制生成

&#x1f368; 本文为&#x1f517;365天深度学习训练营 中的学习记录博客&#x1f366; 参考文章&#xff1a;TensorFlow入门实战&#xff5c;第3周&#xff1a;天气识别&#x1f356; 原作者&#xff1a;K同学啊|接辅导、项目定制 CGAN&#xff08;条件生成对抗网络&#xf…

【Crypto】Rabbit

文章目录 一、Rabbit解题感悟 一、Rabbit 题目提示很明显是Rabbit加密&#xff0c;直接解 小小flag&#xff0c;拿下&#xff01; 解题感悟 提示的太明显了

二分查找

题目链接 题目: 分析: 如果按照从头到尾的顺序一次比较, 每次只能舍弃一个元素, 效率是非常低的, 而且没有用到题目的要求, 数组是有序的因为数组是有序的, 所以如果我们随便找到一个位置, 和目标元素进行比较, 如果大于目标元素, 说明该位置的右侧元素都比目标元素大, 都可…

一键恢复安卓手机数据:3个快速简便的解决方案!

安卓手机作为我们不可或缺的数字伙伴&#xff0c;承载着大量珍贵的个人和工作数据。然而&#xff0c;随着我们在手机上进行各种操作&#xff0c;不可避免地会遇到一些令人头痛的问题&#xff0c;比如意外删除文件、系统故障或其他不可预见的情况&#xff0c;导致重要数据的丢失…

汽车生产线中的工业机器人应用HT3S-PNS-ECS(EtherCAT/Profinet)协议转换通讯方案案例分析

汽车生产线中的工业机器人应用HT3S-PNS-ECS(EtherCAT/Profinet)协议转换通讯方案案例分析 ——北京中科易联科技有限公司供稿—— 一、摘要 随着工业自动化的快速发展&#xff0c;汽车生产线对工业机器人的依赖日益增加。HT3S-PNS-ECS作为工业机器人中的关键组件&#xff0c;其…

OpenFeign快速入门 替代RestTemplate

1.引入依赖 <!--openFeign--><dependency><groupId>org.springframework.cloud</groupId><artifactId>spring-cloud-starter-openfeign</artifactId></dependency><!--负载均衡器--><dependency><groupId>org.spr…

重学java 38.创建线程的方式⭐

It is during our darkest moments that we must focus to see the light —— 24.5.24 一、第一种方式_继承extends Thread方法 1.定义一个类,继承Thread 2.重写run方法,在run方法中设置线程任务(所谓的线程任务指的是此线程要干的具体的事儿,具体执行的代码) 3.创建自定义线程…

响应式处理-一篇打尽

纯pc端响应式 pc端平常用到的响应式布局 大致就如下三种&#xff0c;当然也会有其他方法&#xff0c;欢迎评论区补充 将div height、width设置成100% flex布局 flex布局主要是将flex-wrap: wrap&#xff0c; 最后&#xff0c;你可以通过给子元素设置 flex 属性来控制它们的…

c4d云渲染是工程文件会暴露吗?

在数字创意产业飞速发展的今天&#xff0c;C4D云渲染因其高效便捷而备受欢迎。然而&#xff0c;随着技术应用的深入&#xff0c;人们开始关注一个核心问题&#xff1a;在享受云渲染带来的便利的同时&#xff0c;C4D工程文件安全吗&#xff1f;是否会有暴露的风险&#xff1f;下…

【30天精通Prometheus:一站式监控实战指南】第4天:node_exporter从入门到实战:安装、配置详解与生产环境搭建指南,超详细

亲爱的读者们&#x1f44b;   欢迎加入【30天精通Prometheus】专栏&#xff01;&#x1f4da; 在这里&#xff0c;我们将探索Prometheus的强大功能&#xff0c;并将其应用于实际监控中。这个专栏都将为你提供宝贵的实战经验。&#x1f680;   Prometheus是云原生和DevOps的…

绿联硬盘数据恢复方法:安全、高效找回珍贵数据

在数字化时代&#xff0c;硬盘承载着大量的个人和企业数据&#xff0c;一旦数据丢失或损坏&#xff0c;后果往往不堪设想。绿联硬盘以其稳定的性能和良好的口碑赢得了众多用户的信赖&#xff0c;但即便如此&#xff0c;数据恢复问题仍然是用户可能面临的一大挑战。本文将为您详…

炫酷网页设计:HTML5 + CSS3打造8种心形特效

你以为520过去了&#xff0c;你就逃过一劫了&#xff1f;那不是还有分手呢&#xff0c;那不是还得再找对象呢&#xff0c;那不是还有七夕节呢&#xff0c;那不是还有纪念日呢&#xff0c;那不是还有各种各样的节日呢&#xff0c;所以呀&#xff0c;这8种HTML5 CSS3打造8种心形…

Java 程序的基本结构,编写和运行第一个Java程序(Hello World)!

Java程序的基本结构 Java是一种面向对象的编程语言&#xff0c;其程序结构较为规范。Java程序由一个或多个类组成&#xff0c;每个类包含数据成员和方法。 1. 包声明&#xff08;Package Declaration&#xff09; 包是Java中组织类的一种机制&#xff0c;使用包可以避免类名…

华为编程题目(实时更新)

1.大小端整数 计算机中对整型数据的表示有两种方式&#xff1a;大端序和小端序&#xff0c;大端序的高位字节在低地址&#xff0c;小端序的高位字节在高地址。例如&#xff1a;对数字 65538&#xff0c;其4字节表示的大端序内容为00 01 00 02&#xff0c;小端序内容为02 00 01…

【Django】从零开始学Django(持续更新中)

pip install Djangopython manage.py startapp index运行&#xff1a; 成功&#xff01;&#xff01;&#xff01; 在templates中新建index.html文件&#xff1a;