SpringBoot案例学习(黑马程序员day10,day11)

news2024/11/24 10:29:42

1 环境准备:

1.idea 创建spring项目,选择springweb,mybatis framework ,sql drive框架
2.添加pom.xml依赖:

  <dependency>
            <groupId>org.projectlombok</groupId>
            <artifactId>lombok</artifactId>
        </dependency>

3.添加application.properties配置

#驱动类名称
spring.datasource.driver-class-name=com.mysql.cj.jdbc.Driver
#数据库连接的url
spring.datasource.url=jdbc:mysql://localhost:3306/tlias
#连接数据库的用户名
spring.datasource.username=root
#连接数据库的密码
spring.datasource.password=1234

mybatis.configuration.log-impl=org.apache.ibatis.logging.stdout.StdOutImpl
#数据封装的转换:驼峰命名和下划线命名的转换
mybatis.configuration.map-underscore-to-camel-case=true

4.添加数据库表格
在这里插入图片描述
5.构建三层架构模块:
在这里插入图片描述

2部门信息管理:

2.1Dept的控制类加入@RestController注解;加入@Slf4j注解生成log对象实现控制台的输出:

类的实现代码:


@Slf4j
@RestController
public class DepContral {
    @Autowired
    private DeptService deptService;
    @GetMapping("/Depts")
    public Result list(){
        log.info("输出全部员工信息");
        List<Dept> li=deptService.list();
        return Result.success(li);
    }
}

其中@Autowired实现对服务层的动态注入,
@GetMapping(“/Depts”)实现前端访问的路径以及使用get方式访问。

2.2实现服务层的接口

代码如下:

@Service
public class DeptServieImp implements DeptService {
    @Autowired
    private DeptMapper deptMapper;
    @Override
    public List<Dept> list() {
      List<Dept> li  = deptMapper.list();
      return li;
    }
}

2.3实现Mapper层次的接口

@Mapper
public interface DeptMapper {
   @Select("select * from dept;")
   public List<Dept> list();
}

3实现前端对数据库根据id的删除请求的操作:

控制层:

@DeleteMapping("depts/{id}")
    public Result delectById(@PathVariable Integer id){//注解获取id的作用
        deptService.delectById(id);
        log.info("删除部门表数据{}",id);
        return Result.success();
    }

mapper层:

 @Delete("delete from dept where id=#{id}")
   void delectById(Integer id);

服务层跟查询操作类似:

4实现增加部门操作:

@RequestMapping("/depts")//简化路径书写

控制层

 @PostMapping
    public Result add(@RequestBody Dept dept){
        deptService.add(dept);
        return Result.success();
    }
    //@RequestBody把前端的json数据封装在一个实体类里

服务层:

 public void add(Dept dept) {
        dept.setCreateTime(LocalDateTime.now());
        dept.setUpdateTime(LocalDateTime.now());
        deptMapper.add(dept);
    }

mapper层:

@Insert("insert into dept (name, create_time, update_time) values (#{name},#{createTime},#{updateTime})")

   void add(Dept dept);

3员工信息管理:

3.1员工信息分页展示:

请求路径:/emps,请求参数:页面数和分页展示的数目。
控制层代码:

 @GetMapping("/emps")
    public Result Page(@RequestParam(defaultValue = "1") Integer page,
                       @RequestParam(defaultValue = "5") Integer pageSize){
        log.info("分页展示员工页面");
         pageBean pagebean =empService.list(page,pageSize);
        return Result.success(pagebean);
    }
    //@RequestParam接受参数并设置默认值

服务层代码:

  @Override
    public  pageBean list(Integer page, Integer pageSize) {
        Long empsum= empMapper.empSum();
        Integer page1=(page-1)*pageSize;
        List<Emp> empList=empMapper.list(page1,pageSize);
        return new pageBean(empsum,empList);
    }

mapper层代码:

    @Select("select count(*) from emp;")
    Long empSum();

    @Select("select * from emp limit  #{page1},#{pageSize};")
    List<Emp> list(Integer page1, Integer pageSize);

3.2使用pageHelper插件简化分页查询操作:

1:导入分页查询与springBoot整合的插件:

 <groupId>com.github.pagehelper</groupId>
            <artifactId>pagehelper-spring-boot-starter</artifactId>
            <version>1.4.6</version>

2:mapper层:

@Select("select * from emp")
    List<Emp> list(Integer page, Integer pageSize);

3:service层:

@Override
public PageBean page(Integer page, Integer pageSize) {
// 设置分页参数
PageHelper.startPage(page, pageSize);
// 执行分页查询
List<Emp> empList = empMapper.list(name,gender,begin,end);
// 获取分页结果
Page<Emp> p = (Page<Emp>) empList; 
//封装PageBean
PageBean pageBean = new PageBean(p.getTotal(), p.getResult());
return pageBean;
}

3.3员工信息分页条件展示:

1.请求路径不变,传递参数:page,pageSize,name,gender,begin,end
控制层实现:

public class EmpControl {
    @Autowired
    private EmpService empService;
    @GetMapping("/emps")
    public Result Page(@RequestParam(defaultValue = "1") Integer page,
                       @RequestParam(defaultValue = "5") Integer pageSize,
                       String name, Short gender,
           @DateTimeFormat(pattern = "yyyy-MM-dd") LocalDate begin,//指定前端传入得数据格式
           @DateTimeFormat(pattern = "yyyy-MM-dd") LocalDate end
        ){

        log.info("分页展示员工页面");
         pageBean pagebean =empService.list(page,pageSize,name,gender,begin,end);
        return Result.success(pagebean);
    }
}

服务层实现:

public  pageBean list(Integer page, Integer pageSize,String name, Short gender, LocalDate begin,
                          LocalDate end) {
//        Long empsum= empMapper.empSum();
//        Integer page1=(page-1)*pageSize;
        PageHelper.startPage(page,pageSize);
        List<Emp> empList=empMapper.list(name,gender,begin,end);
        Page<Emp> p=( Page<Emp>)empList;
        pageBean pagebean = new pageBean(p.getTotal(), p.getResult());
        return pagebean;
    }

mapper层实现:

public interface EmpMapper {
    List<Emp> list(String name, Short gender, LocalDate begin,
                   LocalDate end);
}

使用xml文件实现动态访问:
在source目录下配置与Empmapper同包路径同名得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.heima.mapper.EmpMapper">
    <select id="list" resultType="com.heima.poji.Emp">
        select *
        from emp
        <where>
            <if test="name != null and name!= '' ">name like concat('%', #{name}, '%')</if>
            <if test="gender != null">
                and gender = #{gender}
            </if>
            <if test="begin != null and end != null">
                and entrydate between #{begin} and #{end}
            </if>
        </where>
        order by update_time desc
    </select>
</mapper>

3.4员工信息得删除

请求方式为@DeleteMapping("/emps/{ids}")
控制层:

public Result delectById(@PathVariable List<Integer> ids){
        empService.delectById(ids);
        log.info("批量删除员工信息");
        return Result.success();
    }

主要在mapper层配置xml文件实现动态SQL:

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

3.5新增员工信息

思路:把请求的json数据封装到实体类Emp中,然后
传递到Mapper层进行数据库的操作。

4图片上传:

在这里插入图片描述

4.1实现本地上传:

4.1.1创建本地上传的Contral类:

@RestController
@Slf4j
public class UpLoadContral {
    @PostMapping("/upload")
    public Result Upload(String username, Integer age, MultipartFile image) throws  Exception {
        log.info("这是图片上传");
        //spring.servlet.multipart.max-file-size=10MB;
        //获取原始文件名
        String originalFilename = image.getOriginalFilename();
        //构建新的文件名
        String extname =
                originalFilename.substring(originalFilename.lastIndexOf("."));//文件扩展名
        String newFileName = UUID.randomUUID().toString()+extname;//随机名+文件扩展名
//将文件存储在服务器的磁盘目录
        image.transferTo(new File("C:/Users/22973/Desktop/images/"+newFileName));
       // image.transferTo(new File("C:/Users/22973/Desktop/images/"+originalFilename));
        return Result.success();
    }
}

4.1.2配置文件上传的大小限制:

在application.properties文件下配置

#配置单个文件最大上传大小
spring.servlet.multipart.max-file-size=10MB
#配置单个请求最大上传大小(一次请求可以上传多个文件)
spring.servlet.multipart.max-request-size=100MB

4.2实现aliyun上传:

4.2.1开通aliyun的buket存储空间,详情略,

4.2.2引入ailiyun的oss的文件上传工具类:

使用@Component注解,注入成为bean

package com.heima.utils;

import com.aliyun.oss.OSS;
import com.aliyun.oss.OSSClientBuilder;
import org.springframework.stereotype.Component;
import org.springframework.web.multipart.MultipartFile;
import java.io.*;
import java.util.UUID;

/**
 * 阿里云 OSS 工具类
 */
@Component
public class AliOSSUtils {

    String endpoint = "https://oss-cn-beijing.aliyuncs.com";
    // 从环境变量中获取访问凭证。运行本代码示例之前,请确保已设置环境变量OSS_ACCESS_KEY_ID和OSS_ACCESS_KEY_SECRET。
    //EnvironmentVariableCredentialsProvider credentialsProvider = CredentialsProviderFactory.newEnvironmentVariableCredentialsProvider();
    // 填写Bucket名称,例如examplebucket。

    String accessKeyId = "LTAI5tPQSXovXyuYMLQcenb7";
    String accessKeySecret = "Ociu2oAVv5FyAHpjL3LMNPiuhWqeDt";

    String bucketName = "spring-boot-web-study";
    // 填写Object完整路径,完整路径中不能包含Bucket名称,

    /**
     * 实现上传图片到OSS
     */
    public String upload(MultipartFile file) throws IOException {
        // 获取上传的文件的输入流
        InputStream inputStream = file.getInputStream();

        // 避免文件覆盖
        String originalFilename = file.getOriginalFilename();
        String fileName = UUID.randomUUID().toString() + originalFilename.substring(originalFilename.lastIndexOf("."));

        //上传文件到 OSS
        OSS ossClient = new OSSClientBuilder().build(endpoint, accessKeyId, accessKeySecret);
        ossClient.putObject(bucketName, fileName, inputStream);

        //文件访问路径
        String url = endpoint.split("//")[0] + "//" + bucketName + "." + endpoint.split("//")[1] + "/" + fileName;
        // 关闭ossClient
        ossClient.shutdown();
        return url;// 把上传到oss的路径返回
    }

}

4.2.3实现前端的上传页面请求,并且返回请求的图片的url,

使用注解@Autowired private AliOSSUtils aliOSSUtils;导入工具类的bean;

    public Result imageUpload(MultipartFile image) throws Exception {
          String url = aliOSSUtils.upload(image);
        return Result.success(url);
    }

5在application.properties中配置变量的参数:(配置aliyunDucket的位置为例)

添加配置:

aliyun.oss.endpoint=https://oss-cn-beijing.aliyuncs.com
aliyun.oss.accessKeyId=LTAI5tPQSXovXyuYMLQcenb7
aliyun.oss.accessKeySecret=Ociu2oAVv5FyAHpjL3LMNPiuhWqeDt
aliyun.oss.bucketName=spring-boot-web-study

在java类中通过`values(“#{}”)引用


    @Value("${aliyun.oss.endpoint}")
    String endpoint;
    @Value("${aliyun.oss.accessKeyId}")
    String accessKeyId;
    @Value("${aliyun.oss.accessKeySecret}")
    String accessKeySecret;
    @Value("${aliyun.oss.bucketName}")
    String bucketName;

6使用@ConfigurationProperties注解引用配置文件中的参数数据:

6.1创建一个类存储类的成员变量

@Data       //生成get,set方法
@Component  //成为一个bean
@ConfigurationProperties(prefix = "aliyun.oss")
public class AliOssObject {
    private String endpoint;
    private String accessKeyId;
    private String accessKeySecret;
    private String bucketName;
    //变量的名称与配置文件相同
}

6.2 动态注入,引用类的对象进行赋值:

在类中声明类的对象
 @Autowired
            private AliOssObject aliOssObject;

在方法中实现引用

  String endpoint = aliOssObject.getEndpoint();
        String accessKeyId =aliOssObject.getAccessKeyId();
        String accessKeySecret = aliOssObject.getAccessKeySecret();
        String bucketName = aliOssObject.getBucketName();

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

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

相关文章

关于 pthread_create 传参的疑问

对于函数原型 int pthread_create(pthread_t *thread, const pthread_attr_t *attr, void *(*start_routine) (void *), void *arg) 里的参数 arg&#xff0c;之前一直有疑问&#xff0c;就是把 &thread 传给 arg时&#xff0c;新创建的线程里是否能取到这个值呢&#xff1…

小程序多文件上传 Tdesign

众所周知&#xff0c;小程序文件上传还是有点麻烦的&#xff0c;其实主要还是小程序对的接口有诸多的不便&#xff0c;比如说&#xff0c;文件不能批量提交&#xff0c;只能一个个的提交&#xff0c;小程序的上传需要专门的接口。 普通的小程序的页面也比普通的HTML复杂很多 现…

SQL SERVER Inregration Services-OLE DB、Oracle和ODBC操作

OLE DB链接器 OLE DB插件下载&#xff1a;https://learn.microsoft.com/zh-cn/sql/connect/oledb/download-oledb-driver-for-sql-server?viewsql-server-ver16 配置OLE DB Connection Manager 在点击“新建”时&#xff0c;会弹出警告信息“不支持指定的提供程序&#xff0…

SpringBoot系列之集成Redission入门与实践教程

Redisson是一款基于java开发的开源项目&#xff0c;提供了很多企业级实践&#xff0c;比如分布式锁、消息队列、异步执行等功能。本文基于Springboot2版本集成redisson-spring-boot-starter实现redisson的基本应用 软件环境&#xff1a; JDK 1.8 SpringBoot 2.2.1 Maven 3.2…

k8s 目录和文件挂载到宿主机

k8s生产中常用的volumes挂载方式有&#xff1a;hostPath、pv&#xff0c;pvc、nfs 1.hostPath挂载 hostPath是将主机节点文件系统上的文件或目录挂载到Pod 中&#xff0c;同时pod中的目录或者文件也会实时存在宿主机上&#xff0c;如果pod删除&#xff0c;hostpath中的文…

CANoe测试报告如何打印表格?

文章目录 效果使用函数TestInfoTableTestInfoHeadingBeginTestInfoCellTestInfoHeadingEndTestInfoRow代码效果 使用函数 以下函数使用方法查看帮助文档。 TestInfoTable TestInfoHeadingBegin TestInfoCell TestInfoHeadingEnd TestInfoRow 代码

css设置浏览器表单自动填充时的背景

浏览器自动填充表单内容&#xff0c;会自动设置背景色。对于一般的用户&#xff0c;也许不会觉得有什么&#xff0c;但对于要求比较严格的用户&#xff0c;就会“指手画脚”。这里&#xff0c;我们通过css属性来设置浏览器填充背景的过渡时间&#xff0c;使用户看不到过渡后的背…

Python之字符串、正则表达式练习

目录 1、输出随机字符串2、货币的转换&#xff08;字符串 crr107&#xff09;3、凯撒加密&#xff08;book 实验 19&#xff09;4、字符替换5、检测字母或数字6、纠正字母7、输出英文中所有长度为3个字母的单词 1、输出随机字符串 编写程序&#xff0c;输出由英文字母大小写或…

相亲交友小程序源码 同城相亲交友小程序源码

相亲交友小程序源码 同城相亲交友小程序源码 收费模式&#xff1a; 1、会员开通VIP收费&#xff1b;3、会员购买服务项目收费&#xff08;可以自定义服务项目&#xff09;&#xff1b; 二、全民推广系统&#xff1a; 1、邀请用户注册奖励&#xff08;邀请一个用户进入注册…

基础:JavaScript的怪癖之一:提升(Hoisting)

JavaScript&#xff0c;通常被称为“Web 语言”&#xff0c;是一种多功能且广泛使用的编程语言。它以其怪癖而闻名&#xff0c;其中之一就是 hoisting&#xff08;提升&#xff09;。无论你是经验丰富的开发人员还是刚刚开始你的编码之旅&#xff0c;理解提升对于编写干净和高效…

设计模式-状态模式 golang实现

一 什么是有限状态机 有限状态机&#xff0c;英⽂翻译是 Finite State Machine&#xff0c;缩写为 FSM&#xff0c;简称为状态机。 状态机不是指一台实际机器&#xff0c;而是指一个数学模型。说白了&#xff0c;一般就是指一张状态转换图。 已订单交易为例&#xff1a; 1.…

绿光集团荣获美业科技创新大奖,杨全军董事长荣获杰出人物

近日&#xff0c;在2023中国&#xff08;南昌&#xff09;国际美发美容节之“凤凰之夜&#xff0c;美业盛典”上&#xff0c;香港绿光国际科技集团股份有限公司董事长杨全军先生荣获了2023年度“凤凰”杰出人物奖。同时&#xff0c;绿光集团也因其研发的AI人工智能数字光磁床、…

第21章_InnoDB数据页结构

文章目录 概述UserRecords和FreeSpaceInfimum Supremum&#xff08;最小记录和最大记录&#xff09;File Header&#xff08;文件头部&#xff09;Page Directory&#xff08;页目录&#xff09;File Trailer 概述 它是InnoDB管理存储空间的基本单位&#xff0c;一个页的大小…

【3D图像分割】基于Pytorch的 VNet 3D 图像分割4(改写数据流篇)

在这篇文章&#xff1a;【3D 图像分割】基于 Pytorch 的 VNet 3D 图像分割2&#xff08;基础数据流篇&#xff09; 的最后&#xff0c;我们提到了&#xff1a; 在采用vent模型进行3d数据的分割训练任务中&#xff0c;输入大小是16*96*96&#xff0c;这个的裁剪是放到Dataset类…

C++中如何获取虚表和虚函数的地址

获取虚函数的地址 虚函数是C中用于实现多态的一种机制&#xff0c;该机制的原理在此不做赘述。本文主要讨论如何获取虚表以及虚函数的地址&#xff1f; class ClassA { private:int _a;double _b; public:ClassA(int a, double b) : _a(a), _b(b) { }virtual int funcA(int a…

设计模式之组合模式-创建层次化的对象结构

目录 概述概念主要角色应用场景 组合模式的实现类图NS图基本代码组合模式的精髓意外收获&#xff08;❀❀&#xff09; 应用示例-公司组织架构管理需求结构图代码 组合模式的优缺点优点缺点 总结 概述 概念 组合模式是一种结构型设计模式&#xff0c;它允许将对象组合成树形结…

xshell和linux什么关系,其实很简单

如果你是从事网络安全相关的工作人员&#xff0c;那你一定对很多人xshell和linux这两词很熟悉&#xff0c;那么xshell和linux究竟是什么关系呢&#xff1f;今天就让小编给你详细讲讲。 xshell和linux什么关系 一、xshell和linux什么关系 Xsehll是一款在Windows平台上运行的远…

在WSL2中安装多个Ubuntu实例

参考&#xff1a;How to install multiple instances of Ubuntu in WSL2 本文主要内容 第一步&#xff1a;在 WSL2 中安装最新的 Ubuntu第二步&#xff1a;下载适用于 WSL2 的 Ubuntu 压缩包第三步&#xff1a;在 WSL2 中安装第二个 Ubuntu 实例第四步&#xff1a;登录到第二个…

pyspark将数据多次插入表的时候报错

代码 报错信息 py4j.protocol.Py4JJavaError: An error occurred while calling o129.sql. : org.apache.spark.sql.catalyst.parser.ParseException: mismatched input INSERT expecting <EOF>(line 12, pos 0) 原因 插入语句结束后没有加&#xff1b;结尾 把两个&am…

自定义注解+拦截器/AOP切面 实现权限管理

一、通过拦截器实现 1 权限表 为了方便&#xff0c;我直接用的现成的权限表&#xff0c;这是表结构 2 自定义注解 首先&#xff0c;创建一个自定义注解&#xff0c;用于controller层的方法或类上 // Target表示该注解可以用在方法和类上 Target({ElementType.METHOD, Ele…