server.inc 2.0 KB

1234567891011121314151617181920212223242526272829303132333435363738394041424344454647484950515253545556575859606162636465666768697071727374757677787980818283848586878889909192
  1. <?php
  2. function http_server_skipif($socket_string) {
  3. if (!function_exists('pcntl_fork')) die('skip pcntl_fork() not available');
  4. if (!function_exists('posix_kill')) die('skip posix_kill() not available');
  5. if (!stream_socket_server($socket_string)) die('skip stream_socket_server() failed');
  6. }
  7. /* Minimal HTTP server with predefined responses.
  8. *
  9. * $socket_string is the socket to create and listen on (e.g. tcp://127.0.0.1:1234)
  10. * $files is an array of files containing N responses for N expected requests. Server dies after N requests.
  11. * $output is a stream on which everything sent by clients is written to
  12. */
  13. function http_server($socket_string, array $files, &$output = null) {
  14. pcntl_alarm(60);
  15. $server = stream_socket_server($socket_string, $errno, $errstr);
  16. if (!$server) {
  17. return false;
  18. }
  19. if ($output === null) {
  20. $output = tmpfile();
  21. if ($output === false) {
  22. return false;
  23. }
  24. }
  25. $pid = pcntl_fork();
  26. if ($pid == -1) {
  27. die('could not fork');
  28. } else if ($pid) {
  29. return $pid;
  30. }
  31. foreach($files as $file) {
  32. $sock = stream_socket_accept($server);
  33. if (!$sock) {
  34. exit(1);
  35. }
  36. // read headers
  37. $content_length = 0;
  38. stream_set_blocking($sock, 0);
  39. while (!feof($sock)) {
  40. list($r, $w, $e) = array(array($sock), null, null);
  41. if (!stream_select($r, $w, $e, 1)) continue;
  42. $line = stream_get_line($sock, 8192, "\r\n");
  43. if ($line === b'') {
  44. fwrite($output, b"\r\n");
  45. break;
  46. } else if ($line !== false) {
  47. fwrite($output, b"$line\r\n");
  48. if (preg_match(b'#^Content-Length\s*:\s*([[:digit:]]+)\s*$#i', $line, $matches)) {
  49. $content_length = (int) $matches[1];
  50. }
  51. }
  52. }
  53. stream_set_blocking($sock, 1);
  54. // read content
  55. if ($content_length > 0) {
  56. stream_copy_to_stream($sock, $output, $content_length);
  57. }
  58. // send response
  59. $fd = fopen($file, 'rb');
  60. stream_copy_to_stream($fd, $sock);
  61. fclose($sock);
  62. }
  63. exit(0);
  64. }
  65. function http_server_kill($pid) {
  66. posix_kill($pid, SIGTERM);
  67. pcntl_waitpid($pid, $status);
  68. }
  69. ?>