springboot 整合 Thymeleaf
时间: 2024-07-19 16:01:12 浏览: 162
Spring Boot整合Thymeleaf是一种常见的做法,用于在Spring Boot应用中利用Thymeleaf作为模板引擎,提供动态网页功能。Thymeleaf是一个强大的、现代的Web模板引擎,支持HTML5和XML。
以下是整合步骤:
1. 添加依赖:在你的`pom.xml`文件中添加Thymeleaf及其Spring Boot支持的依赖:
```xml
<dependencies>
<dependency>
<groupId>org.springframework.boot</groupId>
<artifactId>spring-boot-starter-thymeleaf</artifactId>
</dependency>
</dependencies>
```
2. 配置视图解析器:在`application.properties`或`application.yml`中设置Thymeleaf的视图位置:
```
spring.thymeleaf.views.location=classpath:/templates/
```
3. 创建模板目录:在项目的`src/main/resources/templates`目录下创建HTML模板文件。
4. 使用Thymeleaf标签:在模板文件中,你可以使用Thymeleaf的表达式语言(EL)和特殊语法,如条件语句、迭代等。
```html
<!DOCTYPE html>
<html xmlns:th="http://www.thymeleaf.org">
<head>
<title>My Spring Boot App</title>
</head>
<body>
<h1 th:text="${message}">Hello, World!</h1>
</body>
</html>
```
5. 在Controller中返回模型数据并指定视图:例如:
```java
import org.springframework.stereotype.Controller;
import org.springframework.ui.Model;
import org.springframework.web.bind.annotation.GetMapping;
@Controller
public class HomeController {
@GetMapping("/")
public String home(Model model) {
model.addAttribute("message", "Welcome to Spring Boot with Thymeleaf!");
return "home"; // 指定模板名称
}
}
```
阅读全文