Тестовая загрузка конечной точки через почтальона - PullRequest
0 голосов
/ 12 июня 2019

Я пытаюсь загрузить файл на мой сервер, используя конечную точку, доступную через spring. Однако, когда я пытаюсь проверить API через почтальона, я получаю Текущий запрос не является ошибкой многокомпонентного запроса. Я прошел этот вопрос MultipartException: текущий запрос не является составным запросом , но все еще не может это исправить. Пожалуйста помоги. Заранее спасибо.

Вот мой контроллер:

@RestController
@RequestMapping
public class UploadController {

    @Autowired
    StorageService storageService;

    List<String> files = new ArrayList<String>();

    @PostMapping("/post")
    public ResponseEntity<String> handleFileUpload(@RequestParam("file") MultipartFile file) {
        String message = "";
        try {
            storageService.store(file);
            files.add(file.getOriginalFilename());

            message = "You successfully uploaded " + file.getOriginalFilename() + "!";
            return ResponseEntity.status(HttpStatus.OK).body(message);
        } catch (Exception e) {
            message = "FAIL to upload " + file.getOriginalFilename() + "!";
            return ResponseEntity.status(HttpStatus.EXPECTATION_FAILED).body(message);
        }
    }

    @GetMapping("/getallfiles")
    public ResponseEntity<List<String>> getListFiles(Model model) {
        List<String> fileNames = files
                .stream().map(fileName -> MvcUriComponentsBuilder
                        .fromMethodName(UploadController.class, "getFile", fileName).build().toString())
                .collect(Collectors.toList());

        return ResponseEntity.ok().body(fileNames);
    }

    @GetMapping("/files/{filename:.+}")
    @ResponseBody
    public ResponseEntity<Resource> getFile(@PathVariable String filename) {
        Resource file = storageService.loadFile(filename);
        return ResponseEntity.ok()
                .header(HttpHeaders.CONTENT_DISPOSITION, "attachment; filename=\"" + file.getFilename() + "\"")
                .body(file);
    }
}

Мой сервис:

@Service
public class StorageService {

    Logger log = LoggerFactory.getLogger(this.getClass().getName());
    private final Path rootLocation = Paths.get("upload-dir");

    public void store(MultipartFile file) {
        try {
            Files.copy(file.getInputStream(), this.rootLocation.resolve(file.getOriginalFilename()));
        } catch (Exception e) {
            throw new RuntimeException("FAIL!");
        }
    }

    public Resource loadFile(String filename) {
        try {
            Path file = rootLocation.resolve(filename);
            Resource resource = new UrlResource(file.toUri());
            if (resource.exists() || resource.isReadable()) {
                return resource;
            } else {
                throw new RuntimeException("FAIL!");
            }
        } catch (MalformedURLException e) {
            throw new RuntimeException("FAIL!");
        }
    }

    public void deleteAll() {
        FileSystemUtils.deleteRecursively(rootLocation.toFile());
    }

    public void init() {
        try {
            Files.createDirectory(rootLocation);
        } catch (IOException e) {
            throw new RuntimeException("Could not initialize storage!");
        }
    }
}

Как вы можете видеть ниже, я отправляю файл в виде данных, а заголовки не устанавливаются

enter image description here enter image description here

Ответы [ 3 ]

1 голос
/ 12 июня 2019

см. Ниже на изображении и добавьте значение ключа как file

enter image description here

0 голосов
/ 12 июня 2019

Ваш контроллер ожидает параметр запроса "file":

@RequestParam("file") MultipartFile file

Вы должны установить ключ "file" в почтальоне, где значением является ваш файл (последний скриншот).

0 голосов
/ 12 июня 2019

Попробуйте добавить в заголовок вашего запроса Content-Type: multipart/form-data (насколько я вижу в почтальоне его нет)

Добро пожаловать на сайт PullRequest, где вы можете задавать вопросы и получать ответы от других членов сообщества.
...