java写http服务器
时间: 2024-11-09 16:17:22 浏览: 5
在Java中创建一个简单的HTTP服务器,可以使用一些开源库如`Jetty`, `Tomcat`, 或者更轻量级的`HttpServer`等。这里我会提供一个使用`HttpServer`库的例子,它属于Java NIO (Non-blocking I/O) 库的一部分:
```java
import com.sun.net.httpserver.HttpExchange;
import com.sun.net.httpserver.HttpHandler;
import com.sun.net.httpserver.HttpServer;
public class SimpleHttpServer {
public static void main(String[] args) throws Exception {
// 创建一个服务器实例,指定端口号
HttpServer server = HttpServer.create(new InetSocketAddress(8080), 0);
// 设置请求处理器
server.setExecutor(null); // 使用默认线程池
server.createContext("/hello", new MyHandler()); // 注册路径与处理器
System.out.println("Server started at http://localhost:8080/hello");
server.start();
}
static class MyHandler implements HttpHandler {
@Override
public void handle(HttpExchange exchange) throws IOException {
String response = "Hello, World!";
exchange.sendResponseHeaders(200, response.length());
exchange.getResponseBody().write(response.getBytes());
exchange.close();
}
}
}
```
在这个例子中,我们创建了一个监听8080端口的HTTP服务器,当接收到GET请求到"/hello"路径时,会返回"Hello, World!"这个字符串作为响应。
阅读全文