java写一个http请求
时间: 2024-05-29 22:03:21 浏览: 71
可以使用Java自带的HttpURLConnection类来发送HTTP请求。以下是一个基本的示例代码:
```java
import java.net.HttpURLConnection;
import java.net.URL;
import java.io.BufferedReader;
import java.io.InputStreamReader;
public class HttpExample {
public static void main(String[] args) throws Exception {
URL url = new URL("http://www.example.com/api");
HttpURLConnection con = (HttpURLConnection) url.openConnection();
con.setRequestMethod("GET");
BufferedReader in = new BufferedReader(new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer content = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
content.append(inputLine);
}
in.close();
System.out.println(content.toString());
}
}
```
在这个例子中,我们发送了一个GET请求到`http://www.example.com/api`,并通过`BufferedReader`读取了响应内容。你可以根据需要修改请求方法、请求参数、请求头等信息。
阅读全文