hutool如何发送混合multipart/form-data的请求?
问题:
如何使用hutool发送包含表单数据和文件的http请求,其中表单数据中包含一个map类型的参数?
尝试:
尝试使用hutool的form方法,但找不到设置content-type的参数。
解决方案:
hutool的httprequest确实无法为multipartformdata的每一项单独设置content-type或其他属性标头。
但可以使用httpclient:
import org.apache.http.HttpEntity; import org.apache.http.client.methods.HttpPost; import org.apache.http.entity.mime.HttpMultipartMode; import org.apache.http.entity.mime.MultipartEntityBuilder; public class MultipartFormDataRequest { public static void main(String[] args) throws Exception { // 创建一个POST请求 HttpPost request = new HttpPost("http://example.com/upload"); // 创建一个多部分实体构建器 MultipartEntityBuilder builder = MultipartEntityBuilder.create(); builder.setMode(HttpMultipartMode.BROWSER_COMPATIBLE); // 添加表单数据 builder.addTextBody("name", "file.jpg"); builder.addTextBody("description", "This is a file."); // 添加map参数 Map<String, String> map = new HashMap<>(); map.put("key1", "value1"); map.put("key2", "value2"); builder.addPart("parameters", new StringBody(map.toString(), ContentType.TEXT_PLAIN)); // 添加文件 File file = new File("file.jpg"); builder.addBinaryBody("file", file, ContentType.DEFAULT_BINARY, file.getName()); // 设置请求实体 HttpEntity entity = builder.build(); request.setEntity(entity); // 发送请求 HttpResponse response = HttpClientBuilder.create().build().execute(request); } }