基于Java实现简单Http服务器

来源:互联网 发布:下架黄耀明音乐知乎 编辑:程序博客网 时间:2024/05/17 02:33
本文将详细介绍如何基于java语言实现一个简单的Http服务器,文中将主要介绍三个方面的内容:1)Http协议的基本知识、2)java.net.Socket类、3)java.net.ServerSocket类,读完本文后你可以把这个服务器用多线程的技术重新编写一个更好的服务器。 
          由于Web服务器使用Http协议通信的因此也把它叫做Http服务器,Http使用可靠的TCP连接来工作,它是面向连接的通信方式,这意味着客户端和服务器每次通信都建立自己的连接,它又是无状态的连接,当数据传输完毕后客户端和服务器端的连接立刻关闭,这样可以节省服务器的资源,当然如果需要传输大量的数据,你可以在Request的头设置Connection=keep-alive使得可以复用这一个连接通道。在HTTP协议中非常重要的两个概念就是:请求(Request)和(响应)这也是我在这里要讲述的如果你想了解Http更多的内容那么请参考http://www.w3.org/Protocols/HTTP/1.1/rfc2616.pdf。 

         一个Http请求包括三个重要的部分: 
Method-URI-Protocol/Version 
Request headers 
Entity body 
下面是一个Http请求的例子: 
POST /servlet/default.jsp HTTP/1.1 
Accept: text/plain; text/html 
Accept-Language: en-gb 
Connection: Keep-Alive 
Host: localhost 
Referer: http://localhost/ch8/SendDetails.htm 
User-Agent: Mozilla/4.0 (compatible; MSIE 4.01; Windows 98) 
Content-Length: 33 
Content-Type: application/x-www-form-urlencoded 
Accept-Encoding: gzip, deflate 

LastName=Franks&FirstName=Michael 
其中第一行是Method-URI-Protocol/Version ,这是非常重要的部分,你需要从中读取客户端数据传输的方式,URI以及协议和版本,在这里分别是POST / servlet/default.jsp http/1.1,我们的简单的服务器的思路就是从request中得到URI后在你的服务器上找到这个资源,比如是一个静态的html页面,然后把它发送给浏览器。记住URI是相对于你的HTTP服务器的根目录的,所以以/来开头。接下来的部分是请求头信息它们都是以name:value这样的方式构成的,这里不再多介绍了。在Header和Entity body之间有一空行叫做CRLF,这用来标记Entity body的开始的,意思是下面的是传输的数据了。 

         HTTP响应和请求非常相似,同样包括三个部分: 
Protocol-Status code-Description 
Response headers 
Entity body 
下面是一个具体的例子: 
HTTP/1.1 200 OK 
Server: Microsoft-IIS/4.0 
Date: Mon, 3 Jan 1998 13:13:33 GMT 
Content-Type: text/html 
Last-Modified: Mon, 11 Jan 1998 13:23:42 GMT 
Content-Length: 112 

something  in html style...................... 

通常在J2ME联网中我们需要判断响应的状态码来决定下一步的操作,比如200代表连接成功。现在你应该清楚为什么这么做了吧。同样在Header和Entity body中有一个CRLF分割。 

        现在我们来看看java中的Socket类,socket其实是对编程语言的一种抽象,它提供了在网络上端对端访问的可能,但是它并不依赖于编程语言,你完全可以使用java和c语言通过socket来进行通信,在java中是通过java.net.Socket来实现的,当你要构建一个socket的时候,你只是需要调用它的构造器 
public Socket(String host,int port),其中host代表目标主机的地址或名字,port代表端口,比如80。当我们创建了一个Socket的实例后我们就可以进行通信了,如果你要基于字节来通信,那么你可以通过调用getOutputStream()和getInputStream()来得到OutputStream和InputStream的对象,如果你是基于字符通信的话那么你可以用PrintWriter和BufferedReader进行二次包装,例如PrintWriter pw = new PrintWriter(socket.getOutputStream(),true)。下面是简单的使用socket通信的代码片断,实现了向127.0.0.1:8080发送Http请求的功能 
Java代码  收藏代码
  1. Socket socket = new Socket("127.0.0.1""8080");  
  2. OutputStream os = socket.getOutputStream();  
  3. boolean autoflush = true;  
  4. PrintWriter out = new PrintWriter( socket.getOutputStream(), autoflush );  
  5. BufferedReader in = new BufferedReader( new InputStreamReader( socket.getInputStream() ));  
  6.    
  7. // send an HTTP request to the web server  
  8. out.println("GET /index.jsp HTTP/1.1");  
  9. out.println("Host: localhost:8080");  
  10. out.println("Connection: Close");  
  11. out.println();  
  12.    
  13. // read the response  
  14. boolean loop = true;  
  15. StringBuffer sb = new StringBuffer(8096);  
  16.    
  17. while (loop) {  
  18.  if ( in.ready() ) {  
  19.  int i=0;  
  20.  while (i!=-1) {  
  21.         i = in.read();  
  22.        sb.append((char) i);  
  23.  }  
  24. loop = false;  
  25.  }  
  26.  Thread.currentThread().sleep(50);  
  27. }  
  28.    
  29. // display the response to the out console  
  30. System.out.println(sb.toString());  
  31. socket.close();  


       接下来介绍与Socket类对应的ServerSocket类的使用,与Socket代表客户端不同的是,ServerSocket是代表服务器端的,因为它必须在某个端口不停的监视是否有客户端连接进来。通过调用ServerSocket的构造器我们可以建立起监听特定端口的Server。例如 
new ServerSocket(8080, 1, InetAddress.getByName("127.0.0.1")); 
这样我们在本机的8080端口建立起来了ServerSocket。当你调用ServerSocket的accept()方法后,只有有连接进来的时候,这个方法才会返回一个Socket的对象,这样你就可以使用这个实例来接受或者发送数据了。记住当我们传输数据结束后要记得调用clos()方法来释放资源。 

在上篇文章中我们介绍了Http协议的基本知识,以及Java中两个重要的类Socket和SocketServer类,下面我们将主要介绍如何实现一个基于java的Http服务器。 
         Http服务器主要由三个类构成:HttpServer、Request和Response。其中程序的入口在HttpServer类,它调用await()方法,使得Server开始等候客户端的连接。当客户端连接后,它将把静态的页面内容发送给客户端浏览器。下面分别介绍这三个类: 
1:HttpServer类 
     HttpServer需要有一个服务器的根目录这在WEB_ROOT变量中定义的: 
public static final String WEB_ROOT =System.getProperty("user.dir") + File.separator  + "webroot";当我们运行服务器的时候可以通过-D选项指定环境变量user.dir的值。这个类中最重要的方法就是await()方法,内容如下: 
public void await() { 
    ServerSocket serverSocket = null; 
    int port = 8080; 
    try { 
      serverSocket =  new ServerSocket(port, 1, InetAddress.getByName("127.0.0.1")); 
    } 
    catch (IOException e) { 
      e.printStackTrace(); 
      System.exit(1); 
    } 

    // Loop waiting for a request 
    while (!shutdown) { 
      Socket socket = null; 
      InputStream input = null; 
      OutputStream output = null; 
      try { 
        socket = serverSocket.accept(); 
        input = socket.getInputStream(); 
        output = socket.getOutputStream(); 

        // create Request object and parse 
        Request request = new Request(input); 
        request.parse(); 

        // create Response object 
        Response response = new Response(output); 
        response.setRequest(request); 
        response.sendStaticResource(); 

        // Close the socket 
        socket.close(); 

        //check if the previous URI is a shutdown command 
        shutdown = request.getUri().equals(SHUTDOWN_COMMAND); 
      } 
      catch (Exception e) { 
        e.printStackTrace(); 
        continue; 
      } 
    } 
  } 
await()方法内构造一个ServerSocket的实例,等客户端连接进来的时候把socket.getInputStream()传递给Request类进行解析,把socket.getOutputStream()传递给Response类,然后再把request对象传递给Response,最后调用Response.sendStaticResource()方法发送数据给客户端。socket.close()后监测是不是接受到了关闭Server的命令,如果是的话跳出循环结束程序。 

2. Request类 
Request类的主要目的是对http请求进行封装,它有一个InputStream类型参数的构造器 
public Request(InputStream input) { 
    this.input = input; 
  } 
同时它还有一个重要的String类型的成员变量uri,Request的目的就是从inputStream中提取uri,这是由两个函数实现的 
public void parse() { 
    // Read a set of characters from the socket 
    StringBuffer request = new StringBuffer(2048); 
    int i; 
    byte[] buffer = new byte[2048]; 
    try { 
      i = input.read(buffer); 
    } 
    catch (IOException e) { 
      e.printStackTrace(); 
      i = -1; 
    } 
    for (int j=0; j<i; j++) { 
      request.append((char) buffer[j]); 
    } 
    System.out.print(request.toString()); 
    uri = parseUri(request.toString()); 
  } 

  private String parseUri(String requestString) { 
    int index1, index2; 
    index1 = requestString.indexOf(' '); 
    if (index1 != -1) { 
      index2 = requestString.indexOf(' ', index1 + 1); 
      if (index2 > index1) 
        return requestString.substring(index1 + 1, index2); 
    } 
    return null; 
  } 
其中parseUri(String request)方法是私有方法,它把String参数进行解析把两个空格之间的字符串返回,这是遵循Http请求的定义规则的,如果你不清楚可以参考基于java实现http服务器之一。 

2.Response类 
Response的两个重要的成员变量分别是OutputStream类型的output和Requeset类型的request,这个类的功能就是从Request的实例里面得到uri,然后和WEB_ROOT进行相加得到文件所在的绝对路径,然后读取这个文件的内容把它写入到socket.getOutputStream()里面去。 
public void sendStaticResource() throws IOException { 
    byte[] bytes = new byte[BUFFER_SIZE]; 
    FileInputStream fis = null; 
    try { 
      File file = new File(HttpServer.WEB_ROOT, request.getUri()); 
      if (file.exists()) { 
        fis = new FileInputStream(file); 
        int ch = fis.read(bytes, 0, BUFFER_SIZE); 
        while (ch!=-1) { 
          output.write(bytes, 0, ch); 
          ch = fis.read(bytes, 0, BUFFER_SIZE); 
        } 
      } 
      else { 
        // file not found 
        String errorMessage = "HTTP/1.1 404 File Not Found/r/n" + 
          "Content-Type: text/html/r/n" + 
          "Content-Length: 23/r/n" + 
          "/r/n" + 
          "<h1>File Not Found</h1>"; 
        output.write(errorMessage.getBytes()); 
      } 
    } 
    catch (Exception e) { 
      // thrown if cannot instantiate a File object 
      System.out.println(e.toString() ); 
    } 
    finally { 
      if (fis!=null) 
        fis.close(); 
    } 
  } 

          下面说明如何运行这个应用程序,首先你从下面的地址取得源代码:http://www.onjava.com/onjava/2003/04/23/examples/HowWebServersWork.zip,把它解到你的D盘例如temp目录下,它包括三个目录src lib webroot其中webroot内有一个index.html文件供测试用。从Command中运行 
cd temp 
javac -d . src/ex01/pyrmont/*.java 
这样在当前目录(d:/temp)会出现ex01/pyrmont目录,里面是编译得到的class文件,接下来运行 
java -Duser.dir=d:/temp ex01.pyrmont.HttpServer 
然后从浏览器输入http://localhost:8080/index.html,这样你就可以看到Server发送给你的静态页面index.html了。
1 0