基于SpringBoot和Freemarker的用户管理系统

环境准备

  • JDK 1.8 及以上
  • SpringBoot 2.5.5 及以上
  • MySQL 5.7 及以上
  • Maven
  • IntelliJ IDEA (可选)

创建项目

我们使用 IntelliJ IDEA 创建一个 Spring Boot Web 项目。

  1. 打开 IntelliJ IDEA,点击菜单栏的 “File”,选择 “New”,然后选择 “Project”。

  2. 在向导中选择 “Spring Initializr”,然后点击 Next。

  3. 在 Spring Initializr 页面中,填写项目信息。

    • Group:自己定义
    • Artifact:自己定义
    • Dependencies:选择 “Spring Web”、“Spring Data JPA” 和 “MySQL Driver”,然后点击 Next。
    • Metadata:自己定义

    然后点击 Finish,等待项目创建完成。

数据库配置

application.properties 文件中添加以下配置:

spring.datasource.url=jdbc:mysql://localhost:3306/test?useSSL=false&serverTimezone=UTC&allowPublicKeyRetrieval=true
spring.datasource.username=root
spring.datasource.password=root
spring.datasource.driver-class-name=com.mysql.cj.jdbc.Driver
spring.jpa.database-platform=org.hibernate.dialect.MySQL5InnoDBDialect
spring.jpa.hibernate.ddl-auto=create

实现用户表

创建用户实体

我们先创建一个用户实体类 User,并使用 JPA 注解标记对应数据库的表名和字段名。

@Entity
@Table(name = "user")
public class User implements Serializable {@Id@GeneratedValue(strategy = GenerationType.IDENTITY)private Long id;private String name;private Integer age;@Column(name = "create_time")private LocalDateTime createTime;@Column(name = "update_time")private LocalDateTime updateTime;// Getter 和 Setter 略
}

创建用户 Repository

创建一个接口 UserRepository,并继承 JpaRepository 接口。

public interface UserRepository extends JpaRepository<User, Long> {
}

创建用户 Service

创建一个 Service 接口 UserService,定义对用户操作的方法。

public interface UserService {User save(User user);void deleteById(Long id);User findById(Long id);List<User> findAll();
}

创建一个 Service 实现类 UserServiceImpl,实现 Service 接口,对用户的增删改查操作进行具体实现。

@Service
public class UserServiceImpl implements UserService {private final UserRepository userRepository;@Autowiredpublic UserServiceImpl(UserRepository userRepository) {this.userRepository = userRepository;}@Overridepublic User save(User user) {LocalDateTime now = LocalDateTime.now();user.setCreateTime(now);user.setUpdateTime(now);return userRepository.save(user);}@Overridepublic void deleteById(Long id) {userRepository.deleteById(id);}@Overridepublic User findById(Long id) {return userRepository.findById(id).orElse(null);}@Overridepublic List<User> findAll() {return userRepository.findAll();}
}

实现 Controller

添加页面

我们需要先添加前端页面,这里使用 Freemarker 模板进行实现。

resources/templates/ 目录下创建名为 user.ftl 的文件,并填写以下代码:

<!DOCTYPE html>
<html>
<head><meta charset="UTF-8"><title>用户管理</title>
</head>
<body><h2>用户管理</h2><form><input type="hidden" id="id" name="id"/><br/>用户名:<input type="text" id="name" name="name" required="required"/><br/>年龄:<input type="number" id="age" name="age" required="required"/><br/><br/><button type="button" id="save">保存</button></form><table><tr><th>id</th><th>name</th><th>age</th><th>create_time</th><th>update_time</th><th>操作</th></tr><#list userList as user><tr><td>${user.id}</td><td>${user.name}</td><td>${user.age}</td><td>${user.createTime}</td><td>${user.updateTime}</td><td><button type="button" class="edit" data-id="${user.id}">编辑</button><button type="button" class="delete" data-id="${user.id}">删除</button></td></tr></#list></table><script src="https://cdn.bootcdn.net/ajax/libs/jquery/3.6.0/jquery.min.js"></script><script>$(function() {function clearForm() {$('input[type="text"],input[type="number"]').val('');$('input[type="hidden"]').val(0);}function listUser() {$.get('/user', function (data) {$('.user-table').replaceWith(data);});}$('form #save').click(function () {var id = $('form #id').val();var formData = $('form').serializeArray();var user = {};$.each(formData, function (_, kv) {user[kv.name] = kv.value;});user.id = id;$.ajax('/user', {data: JSON.stringify(user),contentType: 'application/json',type: (id === '0') ? 'POST' : 'PUT',success: function () {clearForm();listUser();}});});$(document).on('click', '.edit', function () {var id = $(this).data('id');$.get('/user/' + id, function (data) {$.each(data, function (key, value) {$('form #' + key).val(value);});});});$(document).on('click', '.delete', function () {var id = $(this).data('id');$.ajax('/user/' + id, {type: 'DELETE',success: function () {listUser();}});});listUser();});</script>
</body>
</html>

创建 Controller

创建一个 Controller 类 UserController,并添加对用户增删改查的对应操作。同时,使用 @Controller@ResponseBody 注解实现对前端页面请求的响应,并使用 @Autowired 注解自动注入 UserService。

@Controller
@RequestMapping("/user")
public class UserController {private final UserService userService;@Autowiredpublic UserController(UserService userService) {this.userService = userService;}@GetMappingpublic String index(Model model) {List<User> userList = userService.findAll();model.addAttribute("userList", userList);return "user";}@PostMapping@ResponseBodypublic User add(@RequestBody User user) {return userService.save(user);}@PutMapping("/{id}")@ResponseBodypublic User update(@PathVariable("id") Long id, @RequestBody User user) {User oldUser = userService.findById(id);if (oldUser == null) {return null;}oldUser.setName(user.getName());oldUser.setAge(user.getAge());oldUser.setUpdateTime(LocalDateTime.now());return userService.save(oldUser);}@DeleteMapping("/{id}")@ResponseBodypublic void delete(@PathVariable("id") Long id) {userService.deleteById(id);}@GetMapping("/{id}")@ResponseBodypublic User find(@PathVariable("id") Long id) {return userService.findById(id);}
}

测试

启动应用程序,在浏览器中访问 http://localhost:8080/user,即可看到用户的增删改查界面。在该界面中,您可以添加、修改、删除和查询用户信息。同时,您也可以查看完整的工程目录结构。

工程目录结构

spring-boot-demo/├─src/│  ├─main/│  │  ├─java/│  │  │  └─com/│  │  │      └─example/│  │  │          ├─controller/│  │  │          │  └─UserController.java│  │  │          ├─domain/│  │  │          │  └─User.java│  │  │          ├─repository/│  │  │          │  └─UserRepository.java│  │  │          ├─service/│  │  │          │  ├─impl/│  │  │          │  │  └─UserServiceImpl.java│  │  │          │  └─UserService.java│  │  │          └─SpringBootDemoApplication.java│  │  └─resources/│  │      ├─static/│  │      └─templates/│  │          └─user.ftl│  └─test/└─pom.xml

完整代码

为方便您的参考,这里提供一个完整的项目代码。其中,可以直接使用自己的数据库信息进行测试。

  1. User.java
package com.example.domain;import javax.persistence.*;
import java.io.Serializable;
import java.time.LocalDateTime;@Entity
@Table(name = "user")
public class User implements Serializable {@Id@GeneratedValue(strategy = GenerationType.IDENTITY)private Long id;private String name;private Integer age;@Column(name = "create_time")private LocalDateTime createTime;@Column(name = "update_time")private LocalDateTime updateTime;// Getter 和 Setter 略
}
  1. UserRepository.java
package com.example.repository;import com.example.domain.User;
import org.springframework.data.jpa.repository.JpaRepository;public interface UserRepository extends JpaRepository<User, Long> {
}
  1. UserService.java
package com.example.service;import com.example.domain.User;import java.util.List;public interface UserService {User save(User user);void deleteById(Long id);User findById(Long id);List<User> findAll();
}
  1. UserServiceImpl.java
package com.example.service.impl;import com.example.domain.User;
import com.example.repository.UserRepository;
import com.example.service.UserService;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.stereotype.Service;import java.time.LocalDateTime;
import java.util.List;@Service
public class UserServiceImpl implements UserService {private final UserRepository userRepository;@Autowiredpublic UserServiceImpl(UserRepository userRepository) {this.userRepository = userRepository;}@Overridepublic User save(User user) {LocalDateTime now = LocalDateTime.now();user.setCreateTime(now);user.setUpdateTime(now);return userRepository.save(user);}@Overridepublic void deleteById(Long id) {userRepository.deleteById(id);}@Overridepublic User findById(Long id) {return userRepository.findById(id).orElse(null);}@Overridepublic List<User> findAll() {return userRepository.findAll();}
}
  1. UserController.java
package com.example.controller;import com.example.domain.User;
import com.example.service.UserService;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.stereotype.Controller;
import org.springframework.ui.Model;
import org.springframework.web.bind.annotation.*;import java.time.LocalDateTime;
import java.util.List;@Controller
@RequestMapping("/user")
public class UserController {private final UserService userService;@Autowiredpublic UserController(UserService userService) {this.userService = userService;}@GetMappingpublic String index(Model model) {List<User> userList = userService.findAll();model.addAttribute("userList", userList);return "user";}@PostMapping@ResponseBodypublic User add(@RequestBody User user) {return userService.save(user);}@PutMapping("/{id}")@ResponseBodypublic User update(@PathVariable("id") Long id, @RequestBody User user) {User oldUser = userService.findById(id);if (oldUser == null) {return null;}oldUser.setName(user.getName());oldUser.setAge(user.getAge());oldUser.setUpdateTime(LocalDateTime.now());return userService.save(oldUser);}@DeleteMapping("/{id}")@ResponseBodypublic void delete(@PathVariable("id") Long id) {userService.deleteById(id);}@GetMapping("/{id}")@ResponseBodypublic User find(@PathVariable("id") Long id) {return userService.findById(id);}
}
  1. pom.xml
<dependencies><!-- Spring Boot 数据 JPA 相关依赖 --><dependency><groupId>org.springframework.boot</groupId><artifactId>spring-boot-starter-data-jpa</artifactId></dependency><!-- Freemarker 模板引擎依赖 --><dependency><groupId>org.springframework.boot</groupId><artifactId>spring-boot-starter-freemarker</artifactId></dependency><!-- MySQL 数据库驱动依赖 --><dependency><groupId>mysql</groupId><artifactId>mysql-connector-java</artifactId></dependency><!-- Spring Boot Web 依赖 --><dependency><groupId>org.springframework.boot</groupId><artifactId>spring-boot-starter-web</artifactId></dependency>
</dependencies>
  1. SpringBootDemoApplication.java
package com.example;import org.springframework.boot.SpringApplication;
import org.springframework.boot.autoconfigure.SpringBootApplication;@SpringBootApplication
public class SpringBootDemoApplication {public static void main(String[] args) {SpringApplication.run(SpringBootDemoApplication.class, args);}
}
  1. application.properties
spring.datasource.driver-class-name=com.mysql.jdbc.Driver
spring.datasource.url=jdbc:mysql://localhost:3306/test?useUnicode=true&characterEncoding=utf-8&useSSL=false
spring.datasource.username=root
spring.datasource.password=root# 让 Hibernate 自动创建数据库表结构
spring.jpa.hibernate.ddl-auto=create
# 设置 Hibernate 方言
spring.jpa.database-platform=org.hibernate.dialect.MySQL8Dialect
  1. user.ftl
<!DOCTYPE html>
<html lang="zh-CN">
<head><meta charset="UTF-8"><title>用户管理系统</title><style>body {background-color: #F0F0F0;}.container {width: 1200px;margin: 20px auto;padding: 20px;border-radius: 5px;background-color: #FFFFFF;box-shadow: 0 0 5px #999999;}h1 {text-align: center;margin-bottom: 30px;}.add {margin-bottom: 20px;}.add input[type='text'], .add input[type='number'] {width: 150px;padding: 5px;border-radius: 5px;border: 1px solid #CCCCCC;margin-right: 10px;}.add button {padding: 5px 10px;border-radius: 5px;border: 1px solid #CCCCCC;background-color: #FFFFFF;cursor: pointer;}table {width: 100%;border-collapse: collapse;text-align: center;margin-bottom: 30px;}th {background-color: #F5F5F5;padding: 10px;border-bottom: 1px solid #CCCCCC;}td {padding: 10px;border-bottom: 1px solid #CCCCCC;}.btn-group {margin-bottom: 20px;}.btn-group button {padding: 5px 10px;border-radius: 5px;border: 1px solid #CCCCCC;background-color: #FFFFFF;cursor: pointer;margin-right: 10px;}</style>
</head>
<body>
<div class="container"><h1>用户管理系统</h1><div class="add"><input type="text" id="name" placeholder="姓名"><input type="number" id="age" placeholder="年龄"><button onclick="addUser()">添加用户</button></div><table><thead><tr><th>ID</th><th>姓名</th><th>年龄</th><th>创建时间</th><th>更新时间</th><th>操作</th></tr></thead><tbody><#list userList as user><tr><td>${user.id}</td><td>${user.name}</td><td>${user.age}</td><td>${user.createTime?string("yyyy-MM-dd HH:mm:ss")}</td><td>${user.updateTime?string("yyyy-MM-dd HH:mm:ss")}</td><td><div class="btn-group"><button onclick="editUser(${user.id})">编辑</button><button onclick="deleteUser(${user.id})">删除</button></div></td></tr></#list></tbody></table>
</div><script>function addUser() {let name = document.getElementById("name").value;let age = document.getElementById("age").value;let xhr = new XMLHttpRequest();xhr.open("POST", "/user");xhr.setRequestHeader("Content-Type", "application/json");xhr.onreadystatechange = function () {if (xhr.readyState === XMLHttpRequest.DONE) {if (xhr.status === 200 || xhr.status === 201) {location.reload();} else {alert("添加用户失败!");}}}xhr.send(JSON.stringify({name, age}));}function editUser(id) {let name = prompt("请输入姓名:");let age = prompt("请输入年龄:");let xhr = new XMLHttpRequest();xhr.open("PUT", `/user/${id}`);xhr.setRequestHeader("Content-Type", "application/json");xhr.onreadystatechange = function () {if (xhr.readyState === XMLHttpRequest.DONE) {if (xhr.status === 200 || xhr.status === 201) {location.reload();} else {alert("编辑用户失败!");}}}xhr.send(JSON.stringify({name, age}));}function deleteUser(id) {if (confirm("确定删除该用户吗?")) {let xhr = new XMLHttpRequest();xhr.open("DELETE", `/user/${id}`);xhr.onreadystatechange = function () {if (xhr.readyState === XMLHttpRequest.DONE) {if (xhr.status === 200 || xhr.status === 201) {location.reload();} else {alert("删除用户失败!");}}}xhr.send();}}
</script>
</body>
</html>

总结

虽然现在前后端分离的场景比较普遍,前端有很多流行的框架,如Vue、Angular、React等,但是上面介绍的基于SpringBoot和Freemarker的用户管理系统对于初学者学习来说仍然是一份非常好的示例。

通过这个例子,我们可以学习到如何使用Spring Boot快速搭建一个Web应用,如何使用JPA进行数据持久化,以及如何使用Freemarker模板引擎来渲染页面。同时,这个例子也展示了一个最基本的CRUD应用,其中包括增加、删除、修改和查询用户。

无论是在学习过程中还是实际开发中,了解这些基本的概念和用法都是非常重要的。因此,我认为这个例子对于初学者来说是非常有用的。

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

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

相关文章

vue2 element ui 的表格使用 sortablejs 拖拽列遇到的问题和解决方案

项目使用 element ui 的表格实现拖动表头可改变列的宽度&#xff0c;又使用sortablejs实现表格的列可拖拽到其他列的位置&#xff0c;导致出现如下的一些问题&#xff1a; 1、某一列宽变大或变小后&#xff0c;只有当前列可拖拽&#xff0c;其他列无法拖拽。 解决方案&#x…

软通动力与华秋达成生态共创合作,共同推动物联网硬件创新

7月11日&#xff0c;在2023慕尼黑上海电子展现场&#xff0c;软通动力信息技术(集团)股份有限公司(以下简称“软通动力”)与深圳华秋电子有限公司(以下简称“华秋”)签署了生态共创战略合作协议&#xff0c;共同推动物联网硬件生态繁荣发展。当前双方主要基于软通动力的产品及解…

【Python基础函数笔记】获取当前时间并写入日志

1.获取当前时间 import os from datetime import datetime import pytzdef get_cur_time():# 获取当前时间return datetime.strftime(datetime.now(pytz.timezone(Asia/Singapore)), %Y-%m-%d_%H-%M-%S)# 基础目录 basedir a logdir os.path.join(basedir, logs, str(args.n…

docker push镜像到自己的hub仓库

注册docker hub的账户 https://hub.docker.com/建立自己的仓库在终端执行 docker login给想要推送的镜像打标签 docker tag localimage:tag iamajdocker(账号名)/myrepository(仓库名):tag(dockerhub上显示的镜像名)例如&#xff1a; hub用户名为xx,在hub建立的仓库名为evmos…

Spring Cloud—GateWay之限流

RequestRateLimiter RequestRateLimiter GatewayFilter 工厂使用 RateLimiter 实现来确定是否允许当前请求继续进行。如果不允许&#xff0c;就会返回 HTTP 429 - Too Many Requests&#xff08;默认&#xff09;的状态。 这个过滤器需要一个可选的 keyResolver 参数和特定于…

pyqt 简单案例

一、空白的widget窗口 import sys from PyQt5 import QtWidgets,QtCoreapp QtWidgets.QApplication(sys.argv) widget QtWidgets.QWidget() widget.resize(360,360) widget.setWindowTitle("helloword") widget.show() sys.exit(app.exec_()) 需要引入sys模块&…

docker - 将tar包加载成镜像

这部分, 先从这篇开始吧, 然后根据相关工作顺序再慢慢介绍~ 介绍: 一般构建我们自己的镜像有很多方式, 这里介绍根据tar包进行构建镜像images. 用法: 加载镜像的tar包, 在服务器生成对应的镜像images: sudo docker load -i /home/xxx/tar_name.tar参数介绍: /home/xxx/ta…

STL源码刨析_stack _queue

目录 一. 介绍 1. stack 介绍 2. queue 介绍 二. 模拟实现 1. stack 模拟实现 2. queue 模拟实现 三. deque 1. deque 接口 2. 底层 一. 介绍 1. stack 介绍 stack&#xff08;栈&#xff09;是一种容器适配器&#xff0c;它提供了一种后进先出&#xff08;LIFO&#xff0…

VMware安装Ubuntu(VMware版本17-Ubuntu版本16.0)

VMware安装Ubuntu&#xff08;VMware版本17-Ubuntu版本16.0&#xff09; 一&#xff0c;VMware虚拟机下载官网点击https://customerconnect.vmware.com/cn/downloads/info/slug/desktop_end_user_computing/vmware_workstation_pro/17_0 二&#xff0c;Ubuntu乌班图下载官网点…

VB旅游资源及线路管理系统的设计与实现

旅游作为一个新兴的产业近年来取得了迅速的发展,旅行社如雨后春笋遍布全国各省市、目前旅游行业普遍存在着企业规模小,管理不规范等弱点。因为旅游涉及吃、住、行、游、购、娱等诸多要素,而且这些要素又分散在不同的地域中,一个人不可能全面掌握所有的信息。一旦掌握某方面…

会议OA项目之会议发布(多功能下拉框的详解)

&#x1f973;&#x1f973;Welcome Huihuis Code World ! !&#x1f973;&#x1f973; 接下来看看由辉辉所写的关于OA项目的相关操作吧 目录 &#x1f973;&#x1f973;Welcome Huihuis Code World ! !&#x1f973;&#x1f973; 一.主要功能点介绍 二.效果展示 三.前…

[极客大挑战 2019]PHP(反序列化)

介绍说明&#xff0c;有备份的习惯&#xff0c;找常见的备份文件后缀名 使用dirsearch进行扫描 dirsearch -u http://f64378a5-a3e0-4dbb-83a3-990bb9e19901.node4.buuoj.cn:81/ -e php-e 指定网站语言 扫描出现&#xff0c;www.zip文件 查看index.php <?php include c…

ES(3)映射关系

文章目录 创建映射关系更具映射关系创建数据查询有什么区别呢&#xff1f; 创建映射关系 创建mapping映射类似于我们创建表结构&#xff0c;规定字段什么类型&#xff0c;多长等基本信息。 先创建 索引 PUT http://127.0.0.1:9200/user 然后创建映射关系 PUT http://127.0.…

[运维] 生成nginx 自签名ssl证书

系统说明 Ubuntu 22.04 STL 服务器版 生成证书 要生成 Nginx SSL 证书&#xff0c;你可以使用 OpenSSL 工具。按照以下步骤操作&#xff1a; 安装 OpenSSL&#xff1a; 如果你的系统上还没有安装 OpenSSL&#xff0c;请使用以下命令安装它&#xff1a; sudo apt update su…

C++-----vector

本期我们来学习C中的vector&#xff0c;因为有string的基础&#xff0c;所以我们会讲解的快一点 目录 vector介绍 vector常用接口 构造函数 sort 迭代器 size&#xff0c;max_size&#xff0c;capacity&#xff0c;empty reserve和resize front和back data insert和…

MATLAB 基于CPD的点云配准 (24)

MATLAB 基于CPD的点云配准 (24) 一、算法简介二、具体使用1.代码(注释详细)2.函数介绍3.使用技巧4.重复叠加配准效果如何一、算法简介 MATLAB 中包含了一种基于CPD的点云配准方法,这里对其进行使用,查看其配准效果,结果来看如上图所示,还是可用的。 二、具体使用 1.代…

快7月底了,让我康康有多少准备跳槽的

前两天跟朋友感慨&#xff0c;今年的铜三铁四、裁员、疫情影响导致好多人都没拿到offer!现在已经快7月底了&#xff0c;具体金九银十只剩下2个月。 对于想跳槽的职场人来说&#xff0c;绝对要从现在开始做准备了。这时候&#xff0c;很多高薪技术岗、管理岗的缺口和市场需求也…

ElasticSearch 数据迁移工具elasticdump

ElasticSearch 数据迁移工具elasticdump Elasticdump 是一个用于导入和导出 Elasticsearch 数据的命令行工具。它提供了一种方便的方式来在不同的 Elasticsearch 实例之间传输数据&#xff0c;或者进行数据备份和恢复。 使用 Elasticdump&#xff0c;你可以将 Elasticsearch …

allure环境搭建

allure环境搭建 在搭建之前你应该有python、pycharm allure介绍 官网&#xff1a;https://docs.qameta.io/allure/ 英文介绍 Allure Framework is a flexible lightweight multi-language test report tool that not only shows a very concise representation of what have…

关于allure和pycharm的运行模式

案例 新建一个项目allure_mode 新建一个python代码test_allure_001.py 代码如下 import pytest, os def test_001(): assert 1 1 if __name__ __main__: pytest.main([-sv, __file__, --alluredir, ./html, --clean-alluredir]) os.system(fallure se…