springboot的数据访问和数据视图

news/2025/1/1 13:44:33/

当使用 Spring Boot 进行数据访问时,我们可以选择使用 MyBatis 或 JPA(Java Persistence API)来实现增删改查操作。下面我将分别给出使用这两种方式整合数据访问的详细步骤和示例,同时结合 Thymeleaf 实现数据展现。

方式一: 使用 MyBatis 进行数据访问

步骤 1: 创建 Spring Boot 项目 首先,我们需要创建一个 Spring Boot 项目。您可以使用 Spring Initializr(https://start.spring.io/)创建一个新的项目,选择所需的依赖项和构建工具(如 Maven 或 Gradle)。

步骤 2: 添加依赖项 在项目的 pom.xml 文件中,添加 MyBatis 和相关的依赖项:

<dependencies>
    <!-- Spring Boot Web -->
    <dependency>
        <groupId>org.springframework.boot</groupId>
        <artifactId>spring-boot-starter-web</artifactId>
    </dependency>

    <!-- MyBatis -->
    <dependency>
        <groupId>org.mybatis.spring.boot</groupId>
        <artifactId>mybatis-spring-boot-starter</artifactId>
        <version>2.2.0</version>
    </dependency>

    <!-- H2 Database (可选,用于示例) -->
    <dependency>
        <groupId>com.h2database</groupId>
        <artifactId>h2</artifactId>
        <scope>runtime</scope>
    </dependency>
</dependencies>

步骤 3: 创建数据库和模拟数据 在此示例中,我们将使用 H2 数据库,并创建一个 users 表来存储用户数据。在 src/main/resources 目录下创建一个名为 schema.sql 的文件,并添加以下内容:

CREATE TABLE users (
    id bigint AUTO_INCREMENT PRIMARY KEY,
    name VARCHAR(100),
    email VARCHAR(100)
);

INSERT INTO users (idname, email) VALUES (1'Alice''alice@example.com');
INSERT INTO users (idname, email) VALUES (2'Bob''bob@example.com');

这将创建一个名为 users 的表,并插入两条模拟数据。

并在application.properties中添加数据源的配置信息:

spring.datasource.url=jdbc:h2:tcp://localhost/~/test
spring.datasource.username=sa
spring.datasource.password=
spring.datasource.driver-class-name=org.h2.Driver

步骤 4: 创建实体类和 MyBatis 映射接口 在 src/main/java 目录下的domain包下创建一个名为 User.java 的实体类,表示用户对象,代码如下:

public class User {
    private Long id;
    private String name;
    private String email;

    // Getters and setters
}

我们可以在dao包下面创建一个名为 UserMapper.java 的接口,定义 MyBatis 的映射方法,代码如下:

import org.apache.ibatis.annotations.*;

import java.util.List;

@Mapper
public interface UserMapper {
    @Select("SELECT * FROM users")
    List<User> findAll();

    @Select("SELECT * FROM users WHERE id = #{id}")
    User findById(@Param("id") Long id);

    @Insert("INSERT INTO users( name, email) VALUES ( #{name}, #{email})")
    @Options(useGeneratedKeys = true, keyProperty = "id")
    void save(User user);

    @Update("UPDATE users SET name = #{name}, email = #{email} WHERE id = #{id}")
    void update(User user);

    @Delete("DELETE FROM users WHERE id = #{id}")
    void deleteById(@Param("id") Long id);
}

这里使用了 MyBatis 的注解方式进行 SQL 映射。

步骤 5: 创建服务类和控制器类 在service包下创建一个名为 UserService.java 的服务类,用于处理用户数据的增删改查操作,代码如下:

@Service
public class UserService {

    @Autowired
    private final UserMapper userMapper;

    public List<User> findAll() {
        return userMapper.findAll();
    }

    public User findById(Long id) {
        return userMapper.findById(id);
    }

    public void save(User user) {
        userMapper.save(user);
    }

    public void update(User user) {
        userMapper.update(user);
    }

    public void deleteById(Long id) {
        userMapper.deleteById(id);
    }
}

接下来,创建一个名为 UserController.java 的控制器类,用于处理用户相关的 HTTP 请求,代码如下:

@Controller
public class UserController {
    @Autowired
    private UserService userService;

    @GetMapping("/")
    public String index(Model model) {
        List<User> users = userService.findAll();
        model.addAttribute("users", users);
        return "index";
    }

    @GetMapping("/user/{id}")
    public String getUser(@PathVariable Long id, Model model) {
        User user = userService.findById(id);
        model.addAttribute("user", user);
        return "user";
    }

    @GetMapping("/user/create")
    public String createUserForm(Model model) {
        model.addAttribute("user"new User());
        return "create_user";
    }

    @PostMapping("/user/create")
    public String createUser(@ModelAttribute User user) {
        userService.save(user);
        return "redirect:/";
    }

    @GetMapping("/user/edit/{id}")
    public String editUserForm(@PathVariable Long id, Model model) {
        User user = userService.findById(id);
        model.addAttribute("user", user);
        return "edit_user";
    }

    @PostMapping("/user/edit/{id}")
    public String editUser(@PathVariable Long id, @ModelAttribute User user) {
        user.setId(id);
        userService.update(user);
        return "redirect:/";
    }

    @GetMapping("/user/delete/{id}")
    public String deleteUser(@PathVariable Long id) {
        userService.deleteById(id);
        return "redirect:/";
    }
}

步骤 6: 创建 Thymeleaf 模板 在 src/main/resources/templates 目录下创建以下 Thymeleaf 模板文件:

  1. index.html
<!DOCTYPE html>
<html xmlns:th="http://www.thymeleaf.org">
<head>
    <meta charset="UTF-8">
    <title>用户列表</title>
</head>
<body>
    <h1>用户列表</h1>
    <table>
        <tr>
            <th>ID</th>
            <th>Name</th>
            <th>Email</th>
            <th>操作</th>
        </tr>
        <tr th:each="user : ${users}">
            <td th:text="${user.id}"></td>
            <td th:text="${user.name}"></td>
            <td th:text="${user.email}"></td>
            <td>
                <a th:href="@{/user/{id}(id=${user.id})}">查看</a>
                <a th:href="@{/user/edit/{id}(id=${user.id})

}"
>
编辑</a>
                <a th:href="@{/user/delete/{id}(id=${user.id})}">删除</a>
            </td>
        </tr>
    </table>
    <a th:href="@{/user/create}">新增</a>
</body>
</html>
  1. user.html
<!DOCTYPE html>
<html xmlns:th="http://www.thymeleaf.org">
<head>
    <meta charset="UTF-8">
    <title>查看用户</title>
</head>
<body>
    <h1>用户信息</h1>
    <p>ID: <span th:text="${user.id}"></span></p>
    <p>Name: <span th:text="${user.name}"></span></p>
    <p>Email: <span th:text="${user.email}"></span></p>
    <a th:href="@{/}">返回</a>
</body>
</html>
  1. create_user.html
<!DOCTYPE html>
<html xmlns:th="http://www.thymeleaf.org">
<head>
    <meta charset="UTF-8">
    <title>创建用户</title>
</head>
<body>
    <h1>创建用户</h1>
    <form th:action="@{/user/create}" th:object="${user}" method="post">
        <label for="name">Name:</label>
        <input type="text" id="name" th:field="*{name}">
        <br>
        <label for="email">Email:</label>
        <input type="text" id="email" th:field="*{email}">
        <br>
        <input type="submit" value="Create">
    </form>
    <a th:href="@{/}">Back</a>
</body>
</html>
  1. edit_user.html
<!DOCTYPE html>
<html xmlns:th="http://www.thymeleaf.org">
<head>
    <meta charset="UTF-8">
    <title>编辑用户</title>
</head>
<body>
    <h1>编辑用户</h1>
    <form th:action="@{/user/edit/{id}(id=${user.id})}" th:object="${user}" method="post">
        <label for="name">Name:</label>
        <input type="text" id="name" th:field="*{name}">
        <br>
        <label for="email">Email:</label>
        <input type="text" id="email" th:field="*{email}">
        <br>
        <input type="submit" value="Update">
    </form>
    <a th:href="@{/}">返回</a>
</body>
</html>

步骤 7: 运行和测试 现在,您可以运行该应用程序,并访问 http://localhost:8080 查看用户列表。您可以通过点击“查看”、“编辑”和“删除”链接来查看、编辑和删除用户。

  • 列表页示例如下: alt

方式二: 使用 JPA 进行数据访问

需要在pom.xml中添加相应的依赖如下:

  • pom.xml
  <dependency>
   <groupId>org.springframework.boot</groupId>
   <artifactId>spring-boot-starter-data-jpa</artifactId>
  </dependency>
  • 在repository包,创建一个名为 UserRepository.java 的接口,继承自 JpaRepository,代码如下:

  • UserRepository.java

import org.springframework.data.jpa.repository.JpaRepository;

public interface UserRepository extends JpaRepository<UserLong{
}
  • 在涉及到的实体对象中要添加相应的配置 @Entity , @Id, @GeneratedValue,代码如下:

  • User.java

@Entity(name = "users")
public class User {
    @Id
    @GeneratedValue(strategy = GenerationType.IDENTITY)
    private Long id;
    
  • 然后在service的服务类中注入这个 UserRepository,调用这个bean来进行对数据的操作就可以,参考如下:
  • UserService.java
    @Autowired
    private UserRepository userRepository;
  • 其他的代码信息与上一个方式一样的。

同学们可以参考这些步骤和示例来理解并掌握 Spring Boot 数据访问的基本操作和 Thymeleaf 的语法,要掌握,重中之重在于多动手练习。

本文由 mdnice 多平台发布


http://www.ppmy.cn/news/357767.html

相关文章

剑指offer57.和为s的两个数字

双指针i从左往右&#xff0c;j从右往左&#xff0c;如果大于目标值&#xff0c;j往左走否则i往右走&#xff0c;直到等于目标值 class Solution {public int[] twoSum(int[] nums, int target) {int[] res new int[2];int i 0; int j nums.length-1;int sum nums[i] nums…

UG\NX二次开发 常用的网站(持续更新中)

文章作者:里海 来源网站:https://blog.csdn.net/WangPaiFeiXingYuan 小白鼠: http://www.vmould.cn 威模论坛:论坛 - Powered by Discuz! 蚂蚁论坛 蚂蚁Emmet——制造业IT宅男 胡君论坛:https://www.ugapi.com 西门子二次开发论坛 Siemens DISW UG爱好者 UG

鸿蒙810 980,首发鸿蒙OS华为新机浮出水面:“浴霸”四摄+麒麟810处理器

首发鸿蒙OS华为新机浮出水面&#xff1a;“浴霸”四摄麒麟810处理器 2019年08月09日 11:03作者&#xff1a;项森编辑&#xff1a;项森文章出处&#xff1a;泡泡网原创 分享 8月9日消息&#xff0c;据外媒PhoneArena报道&#xff0c;华为Mate 30系列其中一个机型将搭载鸿蒙操作系…

天玑1000L和麒麟980 哪个好

先看处理器的跑分数据&#xff0c;无论是单核成绩还是多核成绩&#xff0c;麒麟980都比天玑1000L高一些&#xff0c;所以从性能角度上来讲&#xff0c;搭载麒麟980的华为Mate20Pro依然值得购买&#xff0c;这款天机1000L采用的ARM最新CortexA77架构&#xff0c;而CPU主频比天玑…

欧瑞博MixPad智能开关支持6000余种家电类型,大V楼斌权威测评

如今智能开关已经成为很多家庭的标配设备&#xff0c;不过在使用这种开关的过程中&#xff0c;很多人士都发现这样一个问题&#xff0c;虽然它们对某些现代化的智能家电可以很完美地支持&#xff0c;但对于那些老式电器来说就不那么友好了。近期&#xff0c;在全网有着较高人气…

卫生间水管可以走地,但线管最好走顶安装

房屋装修的时候要考虑很多问题&#xff0c;水电改造、预埋是一个不能忽视的部分。这不仅仅要考虑到后期维修是否方便&#xff0c;还要考虑到日常用电的时候是否存在安全隐患。对于厨房、卫生间这种潮湿的地方&#xff0c;触电事故频频发生&#xff0c;我们不得不去重视安全用电…

红米10x和华为nova5z哪个好

红米10x正面采用了一块6.53英寸的挖孔屏&#xff0c;背面指纹识别 &#xff0c;屏占比90.77%&#xff0c;保留了3.5mm耳机孔&#xff0c;拥有天际蓝&#xff0c;冰雾白&#xff0c;松晨绿三种配色&#xff1b; 红米手机爆降800这活动太给力了 机会不容错过 https://www.xiaomi.…

红米10x和iqooz1x哪个好

iQOOZ1x的外观设计是要更好看&#xff0c;正面是一块6.57英寸高清极点屏&#xff0c;sRGB98%&#xff0c;支持DCI-P3广色域&#xff0c;屏幕色彩方面更加丰富&#xff0c;能够真实还原色彩。 红米手机爆降800这活动太给力了 机会不容错过 https://www.xiaomi.com iqooz1x更多使…