使用REST服务上载和下载文件

x33g5p2x  于2022-10-15 转载在 其他  
字(16.6k)|赞(0)|评价(0)|浏览(1408)

rest服务教程是使用rest服务处理文件上传和下载的快速指南。我们将通过rest服务示例演示如何使用具有不同前端(AngularJS和JSP)的JAX-RS API上传和下载文件。最重要的是,我们将展示如何构建JUnit测试来测试使用RESTEasy客户端API上传的文件。

使用REST服务上载和下载文件

为了管理文件上载和下载,我们将使用核心JAX-RS API和Rest Easy实现,以及Apache Commons IO库中的IOUtil类。以下是我们Rest端点的源代码:

  1. package com.mastertheboss.rest;
  2. import java.io.File;
  3. import java.io.FileOutputStream;
  4. import java.io.IOException;
  5. import java.io.InputStream;
  6. import java.util.ArrayList;
  7. import java.util.List;
  8. import java.util.Map;
  9. import javax.annotation.PostConstruct;
  10. import javax.servlet.ServletContext;
  11. import javax.ws.rs.*;
  12. import javax.ws.rs.core.*;
  13. import javax.ws.rs.core.Response.ResponseBuilder;
  14. import org.apache.commons.io.IOUtils;
  15. import org.jboss.resteasy.plugins.providers.multipart.InputPart;
  16. import org.jboss.resteasy.plugins.providers.multipart.MultipartFormDataInput;
  17. @Path("/file")
  18. public class RestFilesDemo {
  19. @Context
  20. private ServletContext context;
  21. @POST
  22. @Path("/upload")
  23. @Consumes(MediaType.MULTIPART_FORM_DATA)
  24. public Response uploadFile(MultipartFormDataInput input) throws IOException {
  25. Map<String, List<InputPart>> uploadForm = input.getFormDataMap();
  26. // Get file data to save
  27. List<InputPart> inputParts = uploadForm.get("attachment");
  28. for (InputPart inputPart : inputParts) {
  29. try {
  30. MultivaluedMap<String, String> header = inputPart.getHeaders();
  31. String fileName = getFileName(header);
  32. // convert the uploaded file to inputstream
  33. InputStream inputStream = inputPart.getBody(InputStream.class, null);
  34. byte[] bytes = IOUtils.toByteArray(inputStream);
  35. //String path = System.getProperty("user.home") + File.separator + "uploads";
  36. File customDir = new File(Config.UPLOAD_FOLDER);
  37. if (!customDir.exists()) {
  38. customDir.mkdir();
  39. }
  40. fileName = customDir.getCanonicalPath() + File.separator + fileName;
  41. writeFile(bytes, fileName);
  42. return Response.status(200).entity("Uploaded file name : " + fileName+" . <br/> <a href='"+context.getContextPath()+"'>Back</a>").build();
  43. } catch (Exception e) {
  44. e.printStackTrace();
  45. }
  46. }
  47. return null;
  48. }
  49. @POST
  50. @Path("/download")
  51. @Produces(MediaType.APPLICATION_OCTET_STREAM)
  52. @Consumes("application/x-www-form-urlencoded")
  53. public Response downloadFileWithPost(@FormParam("file") String file) {
  54. String path = System.getProperty("user.home") + File.separator + "uploads";
  55. File fileDownload = new File(path + File.separator + file);
  56. ResponseBuilder response = Response.ok((Object) fileDownload);
  57. response.header("Content-Disposition", "attachment;filename=" + file);
  58. return response.build();
  59. }
  60. @GET
  61. @Path("/download")
  62. @Produces(MediaType.APPLICATION_OCTET_STREAM)
  63. public Response downloadFileWithGet(@QueryParam("file") String file) {
  64. System.out.println("Download file "+file);
  65. File fileDownload = new File(Config.UPLOAD_FOLDER + File.separator + file);
  66. ResponseBuilder response = Response.ok((Object) fileDownload);
  67. response.header("Content-Disposition", "attachment;filename=" + file);
  68. return response.build();
  69. }
  70. @GET
  71. @Path("/list")
  72. @Produces(MediaType.APPLICATION_JSON)
  73. public List<String> listFiles() {
  74. List<String> listFiles = new ArrayList<>();
  75. File fileFolder = new File(Config.UPLOAD_FOLDER);
  76. File[] list = fileFolder.listFiles();
  77. for (File f: list) {
  78. if (!f.isDirectory()) {
  79. listFiles.add(f.getName());
  80. }
  81. }
  82. return listFiles;
  83. }
  84. private String getFileName(MultivaluedMap<String, String> header) {
  85. String[] contentDisposition = header.getFirst("Content-Disposition").split(";");
  86. for (String filename : contentDisposition) {
  87. if ((filename.trim().startsWith("filename"))) {
  88. String[] name = filename.split("=");
  89. String finalFileName = name[1].trim().replaceAll("\"", "");
  90. return finalFileName;
  91. }
  92. }
  93. return "unknown";
  94. }
  95. // Utility method
  96. private void writeFile(byte[] content, String filename) throws IOException {
  97. File file = new File(filename);
  98. if (!file.exists()) {
  99. file.createNewFile();
  100. }
  101. FileOutputStream fop = new FileOutputStream(file);
  102. fop.write(content);
  103. fop.flush();
  104. fop.close();
  105. }
  106. }

以下是所用方法的一些详细信息:

*listFiles:此方法返回Config.UPLOAD_FOLDER中可用的文件列表
*uploadFile(MultipartFormDataInput输入):此方法上载File,使用HTTP POST方法中的MULTIPART_FORM_DATA
*downloadFileWithPost(@FormParam(“file”)String文件):此方法从HTTP POST下载文件,生成二进制流,并将文件名作为Form参数传递
*downloadFileWithGet(@QueryParam(“file”)String file):此方法还下载file,但它包含filename作为Query参数

接下来,为了确保“uploads”文件夹存在,以下Context Listener将在部署应用程序后创建该文件夹:

  1. package com.mastertheboss.rest;
  2. import javax.servlet.ServletContextEvent;
  3. import javax.servlet.ServletContextListener;
  4. import javax.servlet.annotation.WebListener;
  5. import java.io.File;
  6. @WebListener
  7. public class WebContextListener implements ServletContextListener {
  8. @Override
  9. public void contextInitialized(ServletContextEvent sce) {
  10. if (!new File(Config.UPLOAD_FOLDER).exists()) {
  11. new File(Config.UPLOAD_FOLDER).mkdir();
  12. }
  13. }
  14. @Override
  15. public void contextDestroyed(ServletContextEvent sce) {
  16. //. . .
  17. }
  18. }

为Rest Service示例的前端编码

有几种方法可以休息我们的rest上传服务。这里我们将展示一个REST客户端集合,它可以将文件作为多部分表单数据发送。

使用Postman上载文件

如果您正在使用Postman测试您的REST服务,您所需要做的就是创建一个New|HTTP请求t。
从HTTP请求用户界面:
1.输入REST服务的URL(例如。http://localhost:8080/rest-文件管理器/resr/file/upload)
1.选择POST作为方法
1.在Body中选择表单数据
1.输入类型文件的键“附件”。上载“值”列中的文件
例如:


小时
最后,单击发送从Postman上传文件。

使用AngularJS上载文件

首先,创建以下索引。使用AngularJS控制器与我们的REST服务交互的jsp页面:

  1. <html>
  2. <head>
  3. <script src="//ajax.googleapis.com/ajax/libs/angularjs/1.4.8/angular.min.js"></script>
  4. <link rel="stylesheet" type="text/css" href="stylesheet.css" media="screen" />
  5. <script type = "text/javascript">
  6. angular.module('app', [])
  7. .controller('ctrl', function ($scope, $http) {
  8. $scope.files = [];
  9. $scope.loadData = function () {
  10. $http({
  11. method: 'GET',
  12. url: '/rest-file-manager/rest/file/list'
  13. }).then(function successCallback(response) {
  14. $scope.files = response.data;
  15. }, function errorCallback(response) {
  16. console.log(response.statusText);
  17. });
  18. }
  19. $scope.downloadFile = function (filename) {
  20. $http({
  21. method: 'GET',
  22. url: '/rest-file-manager/rest/file/download',
  23. params: {
  24. file: filename
  25. },
  26. responseType: 'arraybuffer'
  27. }).success(function (data, status, headers) {
  28. headers = headers();
  29. var contentType = headers['content-type'];
  30. var linkElement = document.createElement('a');
  31. try {
  32. var blob = new Blob([data], {
  33. type: contentType
  34. });
  35. var url = window.URL.createObjectURL(blob);
  36. linkElement.setAttribute('href', url);
  37. linkElement.setAttribute("download", filename);
  38. var clickEvent = new MouseEvent("click", {
  39. "view": window,
  40. "bubbles": true,
  41. "cancelable": false
  42. });
  43. linkElement.dispatchEvent(clickEvent);
  44. } catch (ex) {
  45. console.log(ex);
  46. }
  47. }).error(function (data) {
  48. console.log(data);
  49. });
  50. };
  51. //call loadData when controller initialized
  52. $scope.loadData();
  53. })
  54. </script>
  55. <title>REST Download demo with AngularJS</title>
  56. <meta http-equiv="Content-Type" content="text/html; charset=UTF-8">
  57. </head>
  58. <body ng-app='app' ng-controller='ctrl'>
  59. <h1>REST Upload/Download demo using AngularJS</h2>
  60. <h2>Upload file</h2>
  61. <form method="post" action="rest/file/upload"
  62. enctype="multipart/form-data">
  63. <input type="hidden" name="action" value="upload" /> <label>Load
  64. your file:</label> <input type="file" name="attachment" /> <br /> <input
  65. type="submit" value="Upload file" />
  66. </form>
  67. <h2>Download file</h2>
  68. <div class="divTable blueTable">
  69. <div class="divTableHeading">
  70. <div class="divTableHead">File Name</div>
  71. <div class="divTableHead">Action</div>
  72. </div>
  73. <div class="divTableRow" ng-repeat="file in files">
  74. <div class="divTableCell">{{ file }}</div>
  75. <div class="divTableCell"><a ng-click="downloadFile( file )" class="myButton">Download</a> </div>
  76. </div>
  77. </div>
  78. </body>
  79. </html>

接下来,使用以下方法部署示例应用程序:

  1. mvn clean install wildfly:deploy

最后,下面是我们在上传示例XML文件后Rest Endpoint的工作方式:


小时

一个简单的JSP/HTML文件管理器

为了上传和下载文件,您还可以使用一种最简单的方法:一个包含JSP代码的HTML页面。JSP部分主要用于显示服务器上可用的文件列表:

  1. <%@page import="java.io.*, com.mastertheboss.rest.Config" %>
  2. <%@page import="java.util.*" %>
  3. <%! public void GetDirectory(String a_Path, Vector a_files, Vector a_folders) {
  4. File l_Directory = new File(a_Path);
  5. File[] l_files = l_Directory.listFiles();
  6. for (int c = 0; c < l_files.length; c++) {
  7. if (l_files[c].isDirectory()) {
  8. a_folders.add(l_files[c].getName());
  9. } else {
  10. a_files.add(l_files[c].getName());
  11. }
  12. }
  13. }
  14. %>
  15. <html>
  16. <head>
  17. <title>Start Page</title>
  18. <meta http-equiv="Content-Type" content="text/html; charset=UTF-8">
  19. </head>
  20. <body>
  21. <h2>REST Upload demo</h2>
  22. <form method="post" action="rest/file/upload"
  23. enctype="multipart/form-data">
  24. <input type="hidden" name="action" value="upload" /> <label>Load
  25. your file:</label> <input type="file" name="attachment" /> <br /> <input
  26. type="submit" value="Upload file" />
  27. </form>
  28. <h2>REST Download demo</h2>
  29. <form method="POST" action="rest/file/download">
  30. File name: <input type="text" name="file">
  31. <input type="submit">
  32. </form>
  33. <h2>Current Directory $HOME/uploads:</h2>
  34. <br/>
  35. <%
  36. Vector l_Files = new Vector(), l_Folders = new Vector();
  37. GetDirectory(Config.UPLOAD_FOLDER, l_Files, l_Folders);
  38. out.println("<ul>");
  39. for (int a = 0; a < l_Files.size(); a++) {
  40. out.println("<li>" + l_Files.elementAt(a).toString() + "</li>");
  41. }
  42. out.println("</ul>");
  43. %>
  44. </body>
  45. </html>

下面是我们正在使用的简单JSP前端:


小时

添加JUnit Test类以测试REST上载

最后,我们在本教程中包括一个JUnit Test类示例,它显示了其中最难的部分:使用REST Easy Client API管理多部件请求以上载文件:

  1. package com.mastertheboss.test;
  2. import static org.junit.Assert.assertEquals;
  3. import static org.junit.Assert.assertTrue;
  4. import java.io.File;
  5. import java.io.FileInputStream;
  6. import java.io.FileNotFoundException;
  7. import java.io.PrintWriter;
  8. import java.io.UnsupportedEncodingException;
  9. import javax.ws.rs.client.Client;
  10. import javax.ws.rs.client.ClientBuilder;
  11. import javax.ws.rs.client.Entity;
  12. import javax.ws.rs.client.WebTarget;
  13. import javax.ws.rs.core.GenericEntity;
  14. import javax.ws.rs.core.MediaType;
  15. import javax.ws.rs.core.Response;
  16. import org.jboss.resteasy.plugins.providers.multipart.MultipartFormDataOutput;
  17. import org.junit.Test;
  18. public class TestRest {
  19. String FILENAME="test-file.txt";
  20. @Test
  21. public void sendFile() throws Exception {
  22. Client client = ClientBuilder.newClient();
  23. WebTarget target = client.target("http://localhost:8080/rest-file-manager/rest/file/upload");
  24. MultipartFormDataOutput mdo = new MultipartFormDataOutput();
  25. createFile();
  26. File filePath = new File(FILENAME);
  27. // Check that file exists
  28. assertTrue(filePath.exists());
  29. mdo.addFormData("attachment", new FileInputStream(filePath),
  30. MediaType.APPLICATION_OCTET_STREAM_TYPE,filePath.getName());
  31. GenericEntity<MultipartFormDataOutput> entity = new GenericEntity<MultipartFormDataOutput>(mdo) {};
  32. Response r = target.request().post( Entity.entity(entity, MediaType.MULTIPART_FORM_DATA_TYPE));
  33. // Check that upload was successful
  34. assertEquals(r.getStatus(), 200);
  35. }
  36. private void createFile() {
  37. try {
  38. PrintWriter writer = new PrintWriter(FILENAME, "UTF-8");
  39. writer.println("Some text");
  40. writer.close();
  41. } catch (FileNotFoundException e) {
  42. e.printStackTrace();
  43. } catch (UnsupportedEncodingException e) {
  44. e.printStackTrace();
  45. }
  46. }
  47. }


这是pom。用于构建和部署项目的xml文件:

  1. <?xml version="1.0" encoding="UTF-8"?>
  2. <project xmlns="http://maven.apache.org/POM/4.0.0"
  3. xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
  4. xsi:schemaLocation="http://maven.apache.org/POM/4.0.0 http://maven.apache.org/xsd/maven-4.0.0.xsd">
  5. <modelVersion>4.0.0</modelVersion>
  6. <groupId>com.mastertheboss</groupId>
  7. <artifactId>rest-file-manager</artifactId>
  8. <version>1.1</version>
  9. <packaging>war</packaging>
  10. <name>rest-file-manager</name>
  11. <properties>
  12. <endorsed.dir>${project.build.directory}/endorsed</endorsed.dir>
  13. <project.build.sourceEncoding>UTF-8</project.build.sourceEncoding>
  14. <version.server.bom>19.0.0.Final</version.server.bom>
  15. </properties>
  16. <dependencyManagement>
  17. <dependencies>
  18. <dependency>
  19. <groupId>org.wildfly.bom</groupId>
  20. <artifactId>wildfly-jakartaee8-with-tools</artifactId>
  21. <version>${version.server.bom}</version>
  22. <type>pom</type>
  23. <scope>import</scope>
  24. </dependency>
  25. </dependencies>
  26. </dependencyManagement>
  27. <dependencies>
  28. <dependency>
  29. <groupId>org.jboss.spec.javax.servlet</groupId>
  30. <artifactId>jboss-servlet-api_4.0_spec</artifactId>
  31. <scope>provided</scope>
  32. </dependency>
  33. <dependency>
  34. <groupId>commons-io</groupId>
  35. <artifactId>commons-io</artifactId>
  36. <version>2.6</version>
  37. </dependency>
  38. <dependency>
  39. <groupId>commons-logging</groupId>
  40. <artifactId>commons-logging</artifactId>
  41. <version>1.2</version>
  42. </dependency>
  43. <dependency>
  44. <groupId>org.jboss.resteasy</groupId>
  45. <artifactId>resteasy-jaxrs</artifactId>
  46. <scope>provided</scope>
  47. </dependency>
  48. <dependency>
  49. <groupId>org.jboss.resteasy</groupId>
  50. <artifactId>resteasy-multipart-provider</artifactId>
  51. <scope>provided</scope>
  52. </dependency>
  53. <dependency>
  54. <groupId>org.jboss.spec.javax.ws.rs</groupId>
  55. <artifactId>jboss-jaxrs-api_2.1_spec</artifactId>
  56. <scope>provided</scope>
  57. </dependency>
  58. <dependency>
  59. <groupId>org.jboss.resteasy</groupId>
  60. <artifactId>resteasy-client</artifactId>
  61. <scope>test</scope>
  62. </dependency>
  63. <dependency>
  64. <groupId>junit</groupId>
  65. <artifactId>junit</artifactId>
  66. <scope>test</scope>
  67. </dependency>
  68. </dependencies>
  69. <build>
  70. <finalName>rest-file-manager</finalName>
  71. <plugins>
  72. <plugin>
  73. <groupId>org.wildfly.plugins</groupId>
  74. <artifactId>wildfly-maven-plugin</artifactId>
  75. <version>2.0.0.Final</version>
  76. <configuration>
  77. <filename>${project.build.finalName}.war</filename>
  78. </configuration>
  79. </plugin>
  80. <plugin>
  81. <groupId>org.apache.maven.plugins</groupId>
  82. <artifactId>maven-compiler-plugin</artifactId>
  83. <version>3.1</version>
  84. <configuration>
  85. <source>1.8</source>
  86. <target>1.8</target>
  87. <compilerArguments>
  88. <endorseddirs>${endorsed.dir}</endorseddirs>
  89. </compilerArguments>
  90. </configuration>
  91. </plugin>
  92. <plugin>
  93. <groupId>org.apache.maven.plugins</groupId>
  94. <artifactId>maven-war-plugin</artifactId>
  95. <version>2.3</version>
  96. <configuration>
  97. <failOnMissingWebXml>false</failOnMissingWebXml>
  98. </configuration>
  99. </plugin>
  100. <plugin>
  101. <groupId>org.apache.maven.plugins</groupId>
  102. <artifactId>maven-dependency-plugin</artifactId>
  103. <version>2.6</version>
  104. <executions>
  105. <execution>
  106. <phase>validate</phase>
  107. <goals>
  108. <goal>copy</goal>
  109. </goals>
  110. <configuration>
  111. <outputDirectory>${endorsed.dir}</outputDirectory>
  112. <silent>true</silent>
  113. <artifactItems>
  114. <artifactItem>
  115. <groupId>javax</groupId>
  116. <artifactId>javaee-endorsed-api</artifactId>
  117. <version>7.0</version>
  118. <type>jar</type>
  119. </artifactItem>
  120. </artifactItems>
  121. </configuration>
  122. </execution>
  123. </executions>
  124. </plugin>
  125. <plugin>
  126. <groupId>org.apache.maven.plugins</groupId>
  127. <artifactId>maven-surefire-plugin</artifactId>
  128. </plugin>
  129. </plugins>
  130. </build>
  131. <profiles>
  132. <profile>
  133. <id>install</id>
  134. <activation>
  135. <activeByDefault>true</activeByDefault>
  136. </activation>
  137. <properties>
  138. <maven.test.skip>true</maven.test.skip>
  139. </properties>
  140. </profile>
  141. <profile>
  142. <id>test</id>
  143. <properties>
  144. <maven.test.skip>false</maven.test.skip>
  145. </properties>
  146. </profile>
  147. </profiles>
  148. </project>

要运行测试,请使用“测试”配置文件,如下所示:

  1. $ mvn -Ptest test

测试Rest Service示例cURL

最后,我们将提到,您还可以使用cURL测试文件上载:

  1. $ curl -F file=@"/tmp/file.txt" http://localhost:8080/rest-file-manager/rest/file/upload
  2. Successfully uploaded - file.txt

本Rest服务教程的源代码

您可以在这里找到这个rest服务教程的源代码:https://github.com/fmarchioni/mastertheboss/tree/master/javaee/rest-file-manager

相关文章