Click here to Skip to main content
15,867,568 members
Articles / Programming Languages / C#

Simple HTTP Server in C#

Rate me:
Please Sign up or sign in to vote.
4.94/5 (75 votes)
23 Mar 2013Apache5 min read 850.3K   31.7K   224   171
Threaded synchronous HTTP Server abstract class, to respond to HTTP requests

Introduction

This article covers a simple HTTP server class which you may incorporate into your own projects, or review to learn more about the HTTP protocol.

Background 

High performance web services are often hosted in rock solid webservices like IIS, Apache, or Tomcat. However, HTML is such a flexible UI language, that it can be useful to serve an HTML UI out of practically any application or backend server. In these situations, the overhead and configuration complexity of an external webserver is seldom worth the trouble. What's needed is a simple HTTP class which can be easily embedded to service simple web requests. This class meets that need.

Using the Code

First let's review how to use the class, and then we'll dig into some of the details of how it operates. We begin by subclassing HttpServer and providing implementations for the two abstract methods handleGETRequest and handlePOSTRequest...

C#
public class MyHttpServer : HttpServer {
    public MyHttpServer(int port)
        : base(port) {
    }
    public override void handleGETRequest(HttpProcessor p) {
        Console.WriteLine("request: {0}", p.http_url);
        p.writeSuccess();
        p.outputStream.WriteLine("<html><body><h1>test server</h1>");
        p.outputStream.WriteLine("Current Time: " + DateTime.Now.ToString());
        p.outputStream.WriteLine("url : {0}", p.http_url);
        
        p.outputStream.WriteLine("<form method=post action=/form>");
        p.outputStream.WriteLine("<input type=text name=foo value=foovalue>");
        p.outputStream.WriteLine("<input type=submit name=bar value=barvalue>");
        p.outputStream.WriteLine("</form>");
    }
    
    public override void handlePOSTRequest(HttpProcessor p, StreamReader inputData) {
        Console.WriteLine("POST request: {0}", p.http_url);
        string data = inputData.ReadToEnd();
        
        p.outputStream.WriteLine("<html><body><h1>test server</h1>");
        p.outputStream.WriteLine("<a href=/test>return</a><p>");
        p.outputStream.WriteLine("postbody: <pre>{0}</pre>", data);
    }
}

Once a simple request processor is provided, one must instantiate the server on a port, and start a thread for the main server listener.

C#
HttpServer httpServer = new MyHttpServer(8080);
Thread thread = new Thread(new ThreadStart(httpServer.listen));
thread.Start();

If you compile and run the sample project, you should be able to point a web-browser of choice at http://localhost:8080 to see the above simple HTML pages rendered. Let's take a brief look at what's going on under the hood.

This simple webserver is broken into two components. The HttpServer class opens a TcpListener on the incoming port, and sits in a loop handling incoming TCP connect requests using AcceptTcpClient(). This is the first step of handling an incoming TCP connection. The incoming request arrived on our "well known port", and this accept process creates a fresh port-pair for server to communicate with this client on. That fresh port-pair is our TcpClient session. This keeps our main accept port free to accept new connections. As you can see in the code below, each time the listener returns a new TcpClient, HttpServer creates a new HttpProcessor and starts a new thread for it to operate in. This class also contains the abstract methods our subclass must implement in order to produce a response.

C#
public abstract class HttpServer {

    protected int port;
    TcpListener listener;
    bool is_active = true;
   
    public HttpServer(int port) {
        this.port = port;
    }
    
    public void listen() {
        listener = new TcpListener(port);
        listener.Start();
        while (is_active) {                
            TcpClient s = listener.AcceptTcpClient();
            HttpProcessor processor = new HttpProcessor(s, this);
            Thread thread = new Thread(new ThreadStart(processor.process));
            thread.Start();
            Thread.Sleep(1);
        }
    }
    
    public abstract void handleGETRequest(HttpProcessor p);
    public abstract void handlePOSTRequest(HttpProcessor p, StreamReader inputData);
} 

At this point, the new client-server TCP connection is handed off to the HttpProcessor in its own thread. The HttpProcessor's job is to properly parse the HTTP headers, and hand control to the proper abstract method handler implementation. Let's look at just a few small parts of the HTTP header processing. The first line of an HTTP Request resembles the following:

GET /myurl HTTP/1.0 

After setting up the input and output stream in process(), our HttpProcessor calls parseRequest(), where the above HTTP request line is received and parsed.

C#
public void parseRequest() {
    String request = inputStream.ReadLine();
    string[] tokens = request.Split(' ');
    if (tokens.Length != 3) {
        throw new Exception("invalid http request line");
    }
    http_method = tokens[0].ToUpper();
    http_url = tokens[1];
    http_protocol_versionstring = tokens[2];

    Console.WriteLine("starting: " + request);
} 

The HTTP request line is always three parts, so we simply use a string.Split() call to separate it into three pieces. The next step is to receive and parse the HTTP headers from the client. Each header-line includes a type of the form KEY:Value. An empty line signifies the end of the HTTP headers. Our code to readHeaders is the following:

C#
public void readHeaders() {
    Console.WriteLine("readHeaders()");
    String line;
    while ((line = inputStream.ReadLine()) != null) {
        if (line.Equals("")) {
            Console.WriteLine("got headers");
            return;
        }
                
        int separator = line.IndexOf(':');
        if (separator == -1) {
            throw new Exception("invalid http header line: " + line);
        }
        String name = line.Substring(0, separator);
        int pos = separator + 1;
        while ((pos < line.Length) && (line[pos] == ' ')) {
            pos++; // strip any spaces
        }
                    
        string value = line.Substring(pos, line.Length - pos);
        Console.WriteLine("header: {0}:{1}",name,value);
        httpHeaders[name] = value;
    }
}

For each line, we look for the colon (Smile | :) separator, grabbing the string before as a name, and the string after as a value. When we reach an empty header-line, we return because we have received all headers.

At this point, we know enough to handle our simple GET or POST, so we dispatch to the proper handler. In the case of a post, there is some trickiness to deal with in accepting the post data. One of the request headers includes the content-length of the post data. While we wish to let our subclass's handlePOSTRequest actually deal with the post data, we need to only allow them to request content-length bytes off the stream, otherwise they will be stuck blocking on the input stream waiting for data which will never arrive. In this simple server, we handle this situation with the dirty but effective strategy of reading all the post data into a MemoryStream before sending this data to the POST handler. This is not ideal for a number of reasons. First, the post data may be large. In fact it may be a file upload, in which case buffering it into memory may not be efficient or even possible. Ideally, we would create some type of stream-imitator that could be setup to limit itself to content-length bytes, but otherwise act as a normal stream. This would allow the POST handler to pull data directly off the stream without the overhead of buffering in memory. However, this is also much more code. In many embedded HTTP servers, post requests are not necessary at all, so we avoid this situation by simply limiting POST input data to no more than 10MB.

Another simplification of this simple server is the content-type of the return data. In the HTTP protocol, the server always sends the browser the MIME-Type of the data which it should be expecting. In writeSuccess(), you can see that this server always indicates a content-type of text/html. If you wish to return other content types, you will need to extend this method to allow your handler to supply a content type response before it sends data to the client.

Points of Interest

This SimpleHttpServer only implements a very bare-bones subset of even the basic HTTP/1.0 spec. Further revisions of the HTTP specification have included more complex and very valuable improvements, including compression, session keep alive, chunked responses, and lots more. However, because of the excellent and simple design of HTTP, you'll find that even this very bare-bones code is capable of serving pages which are compatible with modern web-browsers.

Other similar embeddable servers include:

History 

  • December 19, 2010: Initial version posted
  • December 22, 2010: Removed StreamReader from input side so we can properly get raw POST data 
  • March 2, 2012: corrected line-terminators to use WriteLine() for \r\n instead of just \n 

License

This article, along with any associated source code and files, is licensed under The Apache License, Version 2.0


Written By
United States United States
David Jeske is an Entrepreneur and Computer Programmer, currently living in San Francisco, California.

He earned his B.S. Computer Engineering at University of Illnois at Champaign/Urbana (UIUC), and has worked at several Silicon Valley companies, including Google, Yahoo, eGroups.com, 3dfx, and Akklaim Entertainment. He has managed and architected extremely high-traffic websites, including Yahoo Groups and orkut.com, and has experience in a broad spectrum of technology areas including scalability, databases, drivers, system software, and 3d graphics.

You can contact him at davidj -a-t- gmail (dot) com for personal messages about this article.

Comments and Discussions

 
GeneralRe: Adding image streaming capabilities Pin
Member 1106888914-Oct-14 3:43
Member 1106888914-Oct-14 3:43 
GeneralRe: Adding image streaming capabilities Pin
David Jeske14-Oct-14 7:55
David Jeske14-Oct-14 7:55 
GeneralRe: Adding image streaming capabilities Pin
Member 1106888917-Oct-14 0:32
Member 1106888917-Oct-14 0:32 
GeneralRe: Adding image streaming capabilities Pin
David Jeske18-Oct-14 8:38
David Jeske18-Oct-14 8:38 
GeneralRe: Adding image streaming capabilities Pin
Member 1106888919-Oct-14 21:06
Member 1106888919-Oct-14 21:06 
GeneralRe: Adding image streaming capabilities Pin
David Jeske20-Oct-14 6:32
David Jeske20-Oct-14 6:32 
SuggestionRe: Adding image streaming capabilities Pin
stonedauwg30-Jan-15 10:34
stonedauwg30-Jan-15 10:34 
GeneralRe: Adding image streaming capabilities Pin
David Jeske31-Jan-15 8:08
David Jeske31-Jan-15 8:08 
GeneralRe: Adding image streaming capabilities Pin
stonedauwg2-Feb-15 12:02
stonedauwg2-Feb-15 12:02 
GeneralRe: Adding image streaming capabilities Pin
David Jeske2-Feb-15 14:32
David Jeske2-Feb-15 14:32 
QuestionThreads and memory Pin
netvillage22-Sep-14 5:12
netvillage22-Sep-14 5:12 
AnswerRe: Threads and memory Pin
netvillage22-Sep-14 7:17
netvillage22-Sep-14 7:17 
GeneralRe: Threads and memory Pin
David Jeske7-Oct-14 9:46
David Jeske7-Oct-14 9:46 
QuestionStream Data to Clients Pin
Paddy Wack7-Sep-14 16:52
Paddy Wack7-Sep-14 16:52 
AnswerRe: Stream Data to Clients Pin
David Jeske9-Sep-14 19:16
David Jeske9-Sep-14 19:16 
QuestionThanks - Great Work. Pin
Paddy Wack6-Sep-14 8:37
Paddy Wack6-Sep-14 8:37 
Questionurgent help Pin
nidhal196922-Jul-14 19:58
nidhal196922-Jul-14 19:58 
AnswerRe: urgent help Pin
David Jeske23-Jul-14 6:44
David Jeske23-Jul-14 6:44 
QuestionCan this be used for a server to contact over Internet? Pin
Lawrence Thurman10-Jul-14 17:32
Lawrence Thurman10-Jul-14 17:32 
AnswerRe: Can this be used for a server to contact over Internet? Pin
David Jeske7-Oct-14 9:51
David Jeske7-Oct-14 9:51 
GeneralRe: Can this be used for a server to contact over Internet? Pin
Member 1106888913-Oct-14 2:44
Member 1106888913-Oct-14 2:44 
GeneralRe: Can this be used for a server to contact over Internet? Pin
Lawrence Thurman19-Dec-17 4:39
Lawrence Thurman19-Dec-17 4:39 
QuestionSimple HTTP Server Pin
Member 1088090212-Jun-14 6:50
Member 1088090212-Jun-14 6:50 
AnswerRe: Simple HTTP Server Pin
David Jeske7-Oct-14 9:54
David Jeske7-Oct-14 9:54 
QuestionAny idea how to make it as an HTTPS server Pin
cacingkalung21-May-14 23:22
cacingkalung21-May-14 23:22 

General General    News News    Suggestion Suggestion    Question Question    Bug Bug    Answer Answer    Joke Joke    Praise Praise    Rant Rant    Admin Admin   

Use Ctrl+Left/Right to switch messages, Ctrl+Up/Down to switch threads, Ctrl+Shift+Left/Right to switch pages.