阅读量:0
在 PHP 中,您可以使用内置的 HTTP 服务器来处理请求
- 首先,创建一个 PHP 文件,例如
server.php
,并添加以下代码:
<?php $host = 'localhost'; $port = 8000; // 创建一个 TCP 套接字 $socket = stream_socket_server("tcp://$host:$port", $errno, $errorMessage); if ($socket === false) { echo "Error: $errorMessage ($errno)"; } else { echo "HTTP Server is listening on $host:$port...\n"; } while ($conn = stream_socket_accept($socket)) { // 读取客户端请求 $request = ''; while (false !== ($chunk = fread($conn, 4096))) { $request .= $chunk; } // 解析请求 list($method, $uri, $httpVersion) = explode(' ', substr($request, 0, strpos($request, "\r\n"))); // 处理请求 switch ($uri) { case '/': $response = "Hello, World!"; break; default: $response = "Not Found"; break; } // 发送响应 $headers = "HTTP/1.1 200 OK\r\n" . "Content-Type: text/html\r\n" . "Connection: close\r\n" . "Content-Length: " . strlen($response) . "\r\n" . "\r\n"; fwrite($conn, $headers . $response); fclose($conn); }
这个简单的 HTTP 服务器会监听指定的主机和端口(在本例中为 localhost:8000)。当收到请求时,它会解析请求并根据请求的 URI 返回相应的响应。
- 在命令行中,运行以下命令以启动服务器:
php server.php
- 打开浏览器并访问
http://localhost:8000
,您将看到 “Hello, World!” 作为响应。
请注意,这是一个非常基本的示例,仅用于演示目的。在生产环境中,您可能需要使用更强大的 Web 服务器(如 Nginx 或 Apache)和 PHP 框架(如 Laravel 或 Symfony)来处理请求。