java 如何发起http请求
时间: 2024-03-21 18:31:13 浏览: 59
Java 中可以使用 java.net 包中提供的 HttpURLConnection 类来发起 HTTP 请求。
以下是一个简单的示例代码,使用 HttpURLConnection 类发送 GET 请求:
```java
import java.net.HttpURLConnection;
import java.net.URL;
import java.io.BufferedReader;
import java.io.InputStreamReader;
public class HttpUrlConnectionExample {
public static void main(String[] args) {
try {
URL url = new URL("http://www.example.com/api/getdata");
HttpURLConnection conn = (HttpURLConnection) url.openConnection();
conn.setRequestMethod("GET");
BufferedReader in = new BufferedReader(
new InputStreamReader(conn.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
} catch (Exception e) {
e.printStackTrace();
}
}
}
```
这个例子中,我们首先创建了一个 URL 对象,并使用它创建了一个 HttpURLConnection 对象。我们将请求方法设置为 GET,然后打开输入流,读取响应并将其保存在 StringBuffer 中。最后,我们关闭输入流并打印响应。
当然,你还可以使用 HttpURLConnection 类发送 POST、PUT、DELETE 等请求。发送 POST 请求时,需要在 HttpURLConnection 对象上设置 setDoOutput(true),并使用 OutputStream 将 POST 数据写入连接。
阅读全文