Click here to Skip to main content
15,883,705 members
Articles / Programming Languages / C#
Article

Multithreaded Chat Server

Rate me:
Please Sign up or sign in to vote.
4.61/5 (50 votes)
31 Jan 2007CPOL3 min read 345.8K   45.2K   141   50
This is a simple multithreaded chat server, intended for people to learn Socket programming and Threads in C#.

Sample Image - Chat.jpg

Introduction

I started writing this application to learn Socket programming, Threads, and UI controls in C#. But in the process, I learned more than that. We would go step by step and will try to cover all important aspects of this application. But before we begin, I'd like to set some expectations about the application. This application demonstrates how multiple clients can connect to a single server and communicate to the server. However, at this point, clients cannot communicate with each other. That would be the next step for this application.

Using the code

What do you need to get started with a multithreaded chat application? Threads and Sockets.

Following is how the application starts and how it works:

  1. As soon as the application is started, the main thread is spawned by the system.
  2. The main thread then spawns a thread which keeps listening on a given port.
  3. As soon as there is any connection request from a client, a connection is established. After the connection gets established, another thread is spawned to open a dialog box for chatting with clients.
  4. For every connection to a client, a new thread is spawned. Hence, if there are three clients connected to the server, then the total active threads will be five, one main thread, one thread for listening, and one each for chatting with the connected clients.

Now, let's look at what each thread, that corresponds to a client connect, does:

  1. Calls the asynchronous BeginReceive method. A callback method is passed a parameter. This callback method is called when any data is received on that socket.
  2. When data is received on a socket, the data is read and displayed on the rich text box of the chat dialog. However, if a SocketException is raised, then the connection is closed, as this means that the client has asked to close the connection.
  3. When the Send button is clicked, data is sent to client.

Huh! Looks pretty simple. Now, let's look at some concepts in C# that are required to understand the implementation.

1. How does asynchronous receive work?

.NET framework's Socket class provides a BeginReceive method to receive data asynchronously, i.e., in a non-blocking manner. The BeginReceive method has the following signature:

C#
public IAsyncResult BeginReceive( byte[] buffer, int offset, int size, 
   SocketFlags socketFlags, AsyncCallback callback, object state );

The way the BeginReceive function works is that, you pass the function a buffer and a callback function (delegate) which will be called whenever data arrives. The callback method is called by the system when data is received on the given socket. This method is called using a separate thread (internally spawned by the system). Hence this operation is asynchronous and non-blocking.

Now, where exactly will be the received data? It will be in the buffer that was passed in the BeginReceive method. But before you read the data, you should know the number of bytes that has been received. This is achieved by calling the EndReceive method of the Socket class.

The BeginReceive call is completed only after the EndReceive method of the Socket. The following code will clear what has been explained in the above paragraphs:

BeginReceive call is made:

C#
// Create the state object. 
StateObject state = new StateObject(); 
state.workSocket = connectedClient.Client; 

//Call Asynchronous Receive Function 
connectedClient.Client.BeginReceive(state.buffer, 0, 
  StateObject.BufferSize, 0,new AsyncCallback(OnReceive), state);

Callback function when data is received on the Socket:

C#
public void OnReceive(IAsyncResult ar) 
{ 
  String content = String.Empty; 
  // Retrieve the state object and the handler socket  
  // from the asynchronous state object. 

  StateObject state = (StateObject)ar.AsyncState; 
  Socket handler = state.workSocket; 
  int bytesRead; 
  if (handler.Connected) 
  { 
    // Read data from the client socket. 

    try  
    { 
      bytesRead = handler.EndReceive(ar); 
      if (bytesRead > 0) 
      { 
        // There might be more data, so store the data received so far.
        state.sb.Remove(0, state.sb.Length); 
        state.sb.Append(Encoding.ASCII.GetString( 
        state.buffer, 0, bytesRead)); 
        
        // Display Text in Rich Text Box  
        content = state.sb.ToString(); 
        SetText(content); 
        handler.BeginReceive(state.buffer, 0, StateObject.BufferSize, 
                             0,new AsyncCallback(OnReceive), state); 
      } 
    } 
    catch (SocketException socketException) 
    { 
      //WSAECONNRESET, the other side closed impolitely 
      if (socketException.ErrorCode == 10054 || 
         ((socketException.ErrorCode != 10004) && 
         (socketException.ErrorCode != 10053))) 
      { 
         // Complete the disconnect request.
         String remoteIP = 
           ((IPEndPoint)handler.RemoteEndPoint).Address.ToString(); 
         String remotePort = 
           ((IPEndPoint)handler.RemoteEndPoint).Port.ToString(); 
         this.owner.DisconnectClient(remoteIP, remotePort); 
         handler.Close(); 
         handler = null; 
       } 
     } 
    // Eat up exception....Hmmmm I'm loving eat!!!  
    catch (Exception exception) 
    { 
      MessageBox.Show(exception.Message + "\n" + exception.StackTrace); 
    } 
  } 
}

2. How can you access a User Interface control (e.g., RichText Box) from a thread which is not an owner of that UI control?

Answer is, use Delegates.

If you look at the application, The rich text box that displays the chat message is created by the thread that creates the chat dialog box. Now, the chat data in the rich text box is updated by a thread that calls the callback function, OnReceive. This is a system spawned thread!

In order to access it, create a delegate as:

C#
public delegate void SetTextCallback(string s);

Now, create a function to update the rich text box as:

C#
private void SetText(string text) 
{ 
// InvokeRequired required compares the thread ID of the 
// calling thread to the thread ID of the creating thread. 
// If these threads are different, it returns true. 

  if (this.rtbChat.InvokeRequired) 
  { 
    SetTextCallback d = new SetTextCallback(SetText); 
    this.Invoke(d, new object[] { text }); 
  } 
  else 
  { 
    this.rtbChat.SelectionColor = Color.Blue; 
    this.rtbChat.SelectedText = "\nFriend: "+text; 
   } 
}

History

  • Updated on 12/13/2006 - Formatted article, and added a few details.
  • Updated on 01/31/2007 - Updated the sample client code and added validation to port the text box in server code.

License

This article, along with any associated source code and files, is licensed under The Code Project Open License (CPOL)


Written By
Architect
United States United States
Sid works in one of the top IT consulting company, in Datawarehousing projects.
MS Technologies has always excited him. He codes in C# for fun.

Apart from keen interest in .NET, Sid loves playing cricket and has passion for photography.

Comments and Discussions

 
AnswerConnection Issue resolution Pin
hegyak4-Nov-19 8:48
hegyak4-Nov-19 8:48 
QuestionChat in single Dialoug? Pin
Member 1395466724-Feb-19 22:23
Member 1395466724-Feb-19 22:23 
QuestionHow do you rebuild the client? Pin
KW199131-Aug-15 0:36
KW199131-Aug-15 0:36 
QuestionCaution Pin
Stephen Chapman6-Jun-15 0:22
Stephen Chapman6-Jun-15 0:22 
Questionhow can I send data to all my chat users? Pin
ikoko73-Dec-13 8:13
ikoko73-Dec-13 8:13 
GeneralRe: how can I send data to all my chat users? Pin
Member 1109349827-Jul-15 9:35
Member 1109349827-Jul-15 9:35 
Question[My vote of 1] Be Neutral! Pin
Ashim Malgope19-Jul-13 6:00
professionalAshim Malgope19-Jul-13 6:00 
QuestionClient stand by mode. Pin
Meryem gömeç17-Jun-13 22:26
Meryem gömeç17-Jun-13 22:26 
Questionwhy does the UpdateClient's function not active ???? Pin
thanhdatbkfet10-Apr-13 0:59
thanhdatbkfet10-Apr-13 0:59 
QuestionParent and child forms Pin
Josip8417-Dec-12 23:42
Josip8417-Dec-12 23:42 
QuestionUse nonModal forms for chat windows Pin
Member 85973554-Aug-12 6:33
Member 85973554-Aug-12 6:33 
GeneralMerge Client and server? Pin
kiran.sr3ram10-Jul-12 23:22
kiran.sr3ram10-Jul-12 23:22 
BugException Pin
Ashim Malgope4-Jun-12 0:16
professionalAshim Malgope4-Jun-12 0:16 
GeneralMy vote of 5 Pin
cscodes20-Feb-12 3:21
cscodes20-Feb-12 3:21 
Questionhello Pin
mohandesmina25-Dec-11 10:57
mohandesmina25-Dec-11 10:57 
GeneralMy vote of 4 Pin
Sabrina Adams21-Nov-11 0:00
Sabrina Adams21-Nov-11 0:00 
GeneralMy vote of 4 Pin
muhammadmajd14-Oct-11 6:32
muhammadmajd14-Oct-11 6:32 
QuestionThis code is worthless clients talk to themselves Pin
yoru amama20-Jun-11 16:39
yoru amama20-Jun-11 16:39 
GeneralThanks Pin
nkt_pr12-Apr-11 2:21
nkt_pr12-Apr-11 2:21 
GeneralMy vote of 1 Pin
mmmgedadads7-Mar-11 22:27
mmmgedadads7-Mar-11 22:27 
xxc
GeneralMy vote of 1 Pin
mmmgedadads7-Mar-11 22:26
mmmgedadads7-Mar-11 22:26 
GeneralMy vote of 1 Pin
mmmgedadads7-Mar-11 22:26
mmmgedadads7-Mar-11 22:26 
GeneralMy vote of 1 Pin
mmmgedadads7-Mar-11 22:25
mmmgedadads7-Mar-11 22:25 
GeneralThanks your code is great Pin
caracarogna1-Jan-11 23:12
caracarogna1-Jan-11 23:12 
GeneralRe: Thanks your code is great Pin
Josip8417-Dec-12 22:47
Josip8417-Dec-12 22:47 

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.