springboot文件上传并保存到数据库到数据库代码
时间: 2023-10-03 20:06:58 浏览: 106
springboot-upload-excel:springboot上传excel文件,并将文件中数据保存至mysql数据库
好的,以下是一个简单的 Spring Boot 文件上传并保存到数据库的示例代码:
1. 首先,需要添加以下依赖到 pom.xml 文件中:
```xml
<dependency>
<groupId>org.springframework.boot</groupId>
<artifactId>spring-boot-starter-web</artifactId>
</dependency>
<dependency>
<groupId>com.oracle.ojdbc</groupId>
<artifactId>ojdbc8</artifactId>
<version>19.3.0.0</version>
</dependency>
<dependency>
<groupId>commons-io</groupId>
<artifactId>commons-io</artifactId>
<version>2.6</version>
</dependency>
```
2. 创建一个上传文件的 HTML 表单:
```html
<!DOCTYPE html>
<html>
<head>
<meta charset="UTF-8">
<title>File Upload</title>
</head>
<body>
<h2>File Upload Form</h2>
<form method="POST" action="/upload" enctype="multipart/form-data">
<input type="file" name="file">
<br/><br/>
<input type="submit" value="Upload">
</form>
</body>
</html>
```
3. 创建一个控制器来处理文件上传的请求:
```java
import org.apache.commons.io.IOUtils;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.jdbc.core.JdbcTemplate;
import org.springframework.stereotype.Controller;
import org.springframework.web.bind.annotation.PostMapping;
import org.springframework.web.bind.annotation.RequestMapping;
import org.springframework.web.bind.annotation.RequestParam;
import org.springframework.web.multipart.MultipartFile;
import java.io.IOException;
import java.io.InputStream;
import java.sql.PreparedStatement;
import java.sql.SQLException;
@Controller
public class FileUploadController {
@Autowired
private JdbcTemplate jdbcTemplate;
@RequestMapping("/")
public String index() {
return "upload";
}
@PostMapping("/upload")
public String handleFileUpload(@RequestParam("file") MultipartFile file) throws IOException, SQLException {
InputStream inputStream = file.getInputStream();
byte[] bytes = IOUtils.toByteArray(inputStream);
jdbcTemplate.update(connection -> {
PreparedStatement ps = connection.prepareStatement("INSERT INTO files (name, content) VALUES (?, ?)");
ps.setString(1, file.getOriginalFilename());
ps.setBytes(2, bytes);
return ps;
});
return "redirect:/";
}
}
```
在这个控制器中,我们首先将上传的文件转换为字节数组,然后将它们保存到数据库中。使用 jdbcTemplate 对象执行 SQL 语句,并将文件名和字节数组作为参数传递给 PreparedStatement 对象。
4. 最后,创建一个简单的数据库表,用于存储文件信息:
```sql
CREATE TABLE files (
id INT PRIMARY KEY AUTO_INCREMENT,
name VARCHAR(255),
content LONGVARBINARY
);
```
这个表中有三个列:id、name 和 content。id 是自增的主键,name 列保存上传文件的名称,content 列保存文件的字节数组。
以上就是一个简单的 Spring Boot 文件上传并保存到数据库的示例代码。
阅读全文