Android post使用方法
时间: 2024-06-09 11:05:38 浏览: 111
在Android中,使用POST方法提交数据到服务器通常需要使用HttpURLConnection类。以下是POST方法的示例代码:
```java
URL url = new URL("http://example.com/api");
HttpURLConnection conn = (HttpURLConnection) url.openConnection();
conn.setRequestMethod("POST");
conn.setRequestProperty("Content-Type", "application/json;charset=UTF-8");
conn.setDoOutput(true);
String jsonInputString = "{\"name\": \"John\", \"age\": 30, \"city\": \"New York\"}";
try(OutputStream os = conn.getOutputStream()) {
byte[] input = jsonInputString.getBytes("utf-8");
os.write(input, 0, input.length);
}
try(BufferedReader br = new BufferedReader(
new InputStreamReader(conn.getInputStream(), "utf-8"))) {
StringBuilder response = new StringBuilder();
String responseLine = null;
while ((responseLine = br.readLine()) != null) {
response.append(responseLine.trim());
}
System.out.println(response.toString());
}
```
在这个示例中,我们首先创建一个URL对象,然后使用HttpURLConnection类打开连接。接下来,我们设置请求方法为POST,并设置请求头中的Content-Type为application/json;charset=UTF-8。然后,我们将输出流设置为true,以便我们可以向服务器发送数据。
在这个示例中,我们将JSON字符串作为数据发送到服务器。我们使用OutputStream将JSON字符串转换为字节数组,并将其写入输出流。
最后,我们使用BufferedReader读取服务器的响应,并将其转换为字符串。在这个示例中,我们简单地将响应输出到控制台。你可以根据需要对响应进行解析和处理。
阅读全文