我正在使用thymeleaf进行一个spring启动项目,我需要创建一个文件并在上面放几行,然后将其发送给用户下载。
@PostMapping("/filegenerator")
public String createFile(@ModelAttribute("page") Page page, Model model) {
List<String> lines = new ArrayList<String>();
//Some code ..........
lines.forEach(l->{
System.out.println(l);
});
//Here I need to create a file with the List of lines
//And also put some code to download it
return "filegenerator";
}
因此,如果你想返回一个文件,你可能希望流式传输它以限制使用的内存量(或者至少这可能是Spring Framework创建者的理由(。在您的情况下,我知道该文件相当小,实际上不必在任何地方保留。这只是基于上传表单的一次性下载,对吧?
所以这种方法在我的电脑上有效:
@PostMapping("/filegenerator")
public void createFile(HttpServletResponse response) throws IOException {
List<String> lines = Arrays.asList("line1", "line2");
InputStream is = new ByteArrayInputStream(lines.stream().collect(Collectors.joining("n")).getBytes());
IOUtils.copy(is, response.getOutputStream());
response.setContentType("application/sql");
response.setHeader("Content-Disposition", "attachment; filename="myquery.sql"");
response.flushBuffer();
}
请注意content-disposition
标头。它明确指出您不想在浏览器中显示该文件,而是希望将其下载为文件,并且myquery.sql
是将下载的文件的名称。
@Kamil Janowski
这就是现在的样子
@PostMapping("/filegenerator")
public String createFile(@ModelAttribute("page") Page page, Model model,HttpServletResponse response) throws IOException{
List<String> lines = new ArrayList<String>();
if(page.getTables().get(0).getName()!="") {
List<String> output = so.createTable(page.getTables());
output.forEach(line -> lines.add(line));
}
if(page.getInserttables().get(0).getName()!="") {
List<String> output = so.insert(page.getInserttables());
output.forEach(line -> lines.add(line));
}
if(page.getUpdatetables().get(0).getName()!="") {
List<String> output = so.update(page.getUpdatetables());
output.forEach(line -> lines.add(line));
}
lines.forEach(l->{
System.out.println(l);
});
InputStream is = new ByteArrayInputStream(lines.stream().collect(Collectors.joining("n")).getBytes());
IOUtils.copy(is, response.getOutputStream());
response.setContentType("application/sql");
response.setHeader("Content-Disposition", "attachment; filename="myquery.sql"");
response.flushBuffer();
model.addAttribute("page", getPage());
return "filegenerator";
}