Click here to Skip to main content
15,884,176 members
Articles / Programming Languages / C#

How To Use the SocketAsyncEventArgs Class

Rate me:
Please Sign up or sign in to vote.
4.86/5 (40 votes)
29 Sep 2010CPOL3 min read 686K   19.9K   129   105
An article about how to use the SocketAsyncEventArgs class

Introduction

I was looking for a high performance code for a client socket. Previously, I wrote a code based on the traditional asynchronous programming model methods from the Socket class (BeginSend, BeginReceive, and so on). But it didn't fill the performance requirements I needed. Then, I found the new model for event-based asynchronous operations (see "Get Connected with the .NET Framework 3.5" in the September 2007 issue of the MSDN Magazine).

Background

The Asynchronous Programming Model (APM) is used widely in I/O-bound applications to achieve high performance, due to the reduction of blocking threads. APM is implemented in the .NET Framework since its first version, and is improving since then, using new techniques like lambda expressions from C# 3.0. Specifically for socket programming, the new model for APM delivers an easier coding, not to mention the performance benefits. It is done towards the use of the SocketAsyncEventArgs class to keep the context between I/O operations, which reduces object allocation and the garbage collection working.

The SocketAsyncEventArgs class is also available in the .NET Framework 2.0 SP1, and the code from this article was written using Microsoft Visual Studio .NET 2008.

Using the Code

To begin with the SocketAsyncEventArgs class, I studied the example from MSDN, but there was something missing: the AsyncUserToken class. I understood the class should expose a property Socket, corresponding to the socket used to perform the I/O operations. But how to keep data received from client until the accept operation ends? Since UserToken is an Object, it could accept anything, so I created a Token class to track the accept operation. Below shown are the modified methods to use the instance of Token class as the UserToken.

C#
// Process the accept for the socket listener.
private void ProcessAccept(SocketAsyncEventArgs e)
{
    Socket s = e.AcceptSocket;
    if (s.Connected)
    {
        try
        {
            SocketAsyncEventArgs readEventArgs = this.readWritePool.Pop();
            if (readEventArgs != null)
            {
                // Get the socket for the accepted client connection and put it into the 
                // ReadEventArg object user token.
                readEventArgs.UserToken = new Token(s, this.bufferSize);

                Interlocked.Increment(ref this.numConnectedSockets);
                Console.WriteLine("Client connection accepted. 
			There are {0} clients connected to the server",
                    this.numConnectedSockets);

                if (!s.ReceiveAsync(readEventArgs))
                {
                    this.ProcessReceive(readEventArgs);
                }
            }
            else
            {
                Console.WriteLine("There are no more available sockets to allocate.");
            }
        }
        catch (SocketException ex)
        {
            Token token = e.UserToken as Token;
            Console.WriteLine("Error when processing data received from {0}:\r\n{1}", 
			token.Connection.RemoteEndPoint, ex.ToString());
        }
        catch (Exception ex)
        {
            Console.WriteLine(ex.ToString());
        }

        // Accept the next connection request.
        this.StartAccept(e);
    }
}

// This method is invoked when an asynchronous receive operation completes. 
// If the remote host closed the connection, then the socket is closed.
// If data was received then the data is echoed back to the client.
private void ProcessReceive(SocketAsyncEventArgs e)
{
    // Check if the remote host closed the connection.
    if (e.BytesTransferred > 0)
    {
        if (e.SocketError == SocketError.Success)
        {
            Token token = e.UserToken as Token;
            token.SetData(e);

            Socket s = token.Connection;
            if (s.Available == 0)
            {
                // Set return buffer.
                token.ProcessData(e);
                if (!s.SendAsync(e))
                {
                    // Set the buffer to send back to the client.
                    this.ProcessSend(e);
                }
            }
            else if (!s.ReceiveAsync(e))
            {
                // Read the next block of data sent by client.
                this.ProcessReceive(e);
            }
        }
        else
        {
            this.ProcessError(e);
        }
    }
    else
    {
        this.CloseClientSocket(e);
    }
}

// This method is invoked when an asynchronous send operation completes.
// The method issues another receive on the socket to read any additional 
// data sent from the client.
private void ProcessSend(SocketAsyncEventArgs e)
{
    if (e.SocketError == SocketError.Success)
    {
        // Done echoing data back to the client.
        Token token = e.UserToken as Token;
        if (!token.Connection.ReceiveAsync(e))
        {
            // Read the next block of data send from the client.
            this.ProcessReceive(e);
        }
    }
    else
    {
        this.ProcessError(e);
    }
}

I also modified the code to show where you can manipulate the message received by the listener. In the example, I created the method ProcessData in the Token class to echoing back to the client the received message.

To control the listener lifetime, an instance of the Mutex class is used. The Start method, which is based on the original Init method creates the mutex, and the corresponding Stop method releases the mutex. These methods are suitable to implement the socket server as a Windows Service.

C#
// Starts the server such that it is listening
// for incoming connection requests.
internal void Start(Int32 port)
{
    // Get host related information.
    IPAddress[] addressList = 
          Dns.GetHostEntry(Environment.MachineName).AddressList;
C#
    // Get endpoint for the listener.
    IPEndPoint localEndPoint = 
          new IPEndPoint(addressList[addressList.Length - 1], port);

    // Create the socket which listens for incoming connections.
    this.listenSocket = new Socket(localEndPoint.AddressFamily, 
                        SocketType.Stream, ProtocolType.Tcp);

    if (localEndPoint.AddressFamily == AddressFamily.InterNetworkV6)
    {
        // Set dual-mode (IPv4 & IPv6) for the socket listener.
        // 27 is equivalent to IPV6_V6ONLY socket
        // option in the winsock snippet below,
        // based on http://blogs.msdn.com/wndp/archive/2006/10/24/
        //   creating-ip-agnostic-applications-part-2-dual-mode-sockets.aspx
        this.listenSocket.SetSocketOption(SocketOptionLevel.IPv6, 
                                         (SocketOptionName)27, false);
        this.listenSocket.Bind(new IPEndPoint(IPAddress.IPv6Any, 
                               localEndPoint.Port));
    }
    else
    {
        // Associate the socket with the local endpoint.
        this.listenSocket.Bind(localEndPoint);
    }

    // Start the server.
    this.listenSocket.Listen(this.numConnections);

    // Post accepts on the listening socket.
    this.StartAccept(null);

    mutex.WaitOne();
}

// Stop the server.
internal void Stop()
{
    mutex.ReleaseMutex();
}

Now that we have a socket server, the next step is to create a socket client using the SocketAsyncEventArgs class. Although the MSDN says that the class is specifically designed for network server applications, there is no restriction in using this APM in a client code. Below, there is the SocketClien class, written in this way:

C#
using System;
using System.Net;
using System.Net.Sockets;
using System.Text;
using System.Threading;

namespace SocketAsyncClient
{
    // Implements the connection logic for the socket client.
    internal sealed class SocketClient : IDisposable
    {
        // Constants for socket operations.
        private const Int32 ReceiveOperation = 1, SendOperation = 0;

        // The socket used to send/receive messages.
        private Socket clientSocket;

        // Flag for connected socket.
        private Boolean connected = false;

        // Listener endpoint.
        private IPEndPoint hostEndPoint;

        // Signals a connection.
        private static AutoResetEvent autoConnectEvent = 
                              new AutoResetEvent(false); 

        // Signals the send/receive operation.
        private static AutoResetEvent[] 
                autoSendReceiveEvents = new AutoResetEvent[]
        {
            new AutoResetEvent(false),
            new AutoResetEvent(false)
        };

        // Create an uninitialized client instance.
        // To start the send/receive processing call the
        // Connect method followed by SendReceive method.
        internal SocketClient(String hostName, Int32 port)
        {
            // Get host related information.
            IPHostEntry host = Dns.GetHostEntry(hostName);

            // Address of the host.
            IPAddress[] addressList = host.AddressList;

            // Instantiates the endpoint and socket.
            hostEndPoint = 
              new IPEndPoint(addressList[addressList.Length - 1], port);
            clientSocket = new Socket(hostEndPoint.AddressFamily, 
                               SocketType.Stream, ProtocolType.Tcp);
        }

        // Connect to the host.
        internal void Connect()
        {
            SocketAsyncEventArgs connectArgs = new SocketAsyncEventArgs();

            connectArgs.UserToken = clientSocket;
            connectArgs.RemoteEndPoint = hostEndPoint;
            connectArgs.Completed += 
               new EventHandler<socketasynceventargs />(OnConnect);

            clientSocket.ConnectAsync(connectArgs);
            autoConnectEvent.WaitOne();

            SocketError errorCode = connectArgs.SocketError;
            if (errorCode != SocketError.Success)
            {
                throw new SocketException((Int32)errorCode);
            }
        }

        /// Disconnect from the host.
        internal void Disconnect()
        {
            clientSocket.Disconnect(false);
        }

        // Calback for connect operation
        private void OnConnect(object sender, SocketAsyncEventArgs e)
        {
            // Signals the end of connection.
            autoConnectEvent.Set();

            // Set the flag for socket connected.
            connected = (e.SocketError == SocketError.Success);
        }

        // Calback for receive operation
        private void OnReceive(object sender, SocketAsyncEventArgs e)
        {
            // Signals the end of receive.
            autoSendReceiveEvents[SendOperation].Set();
        }

        // Calback for send operation
        private void OnSend(object sender, SocketAsyncEventArgs e)
        {
            // Signals the end of send.
            autoSendReceiveEvents[ReceiveOperation].Set();

            if (e.SocketError == SocketError.Success)
            {
                if (e.LastOperation == SocketAsyncOperation.Send)
                {
                    // Prepare receiving.
                    Socket s = e.UserToken as Socket;

                    byte[] receiveBuffer = new byte[255];
                    e.SetBuffer(receiveBuffer, 0, receiveBuffer.Length);
                    e.Completed += 
                      new EventHandler<socketasynceventargs />(OnReceive);
                    s.ReceiveAsync(e);
                }
            }
            else
            {
                ProcessError(e);
            }
        }

        // Close socket in case of failure and throws
        // a SockeException according to the SocketError.
        private void ProcessError(SocketAsyncEventArgs e)
        {
            Socket s = e.UserToken as Socket;
            if (s.Connected)
            {
                // close the socket associated with the client
                try
                {
                    s.Shutdown(SocketShutdown.Both);
                }
                catch (Exception)
                {
                    // throws if client process has already closed
                }
                finally
                {
                    if (s.Connected)
                    {
                        s.Close();
                    }
                }
            }

            // Throw the SocketException
            throw new SocketException((Int32)e.SocketError);
        }

        // Exchange a message with the host.
        internal String SendReceive(String message)
        {
            if (connected)
            {
                // Create a buffer to send.
                Byte[] sendBuffer = Encoding.ASCII.GetBytes(message);

                // Prepare arguments for send/receive operation.
                SocketAsyncEventArgs completeArgs = new SocketAsyncEventArgs();
                completeArgs.SetBuffer(sendBuffer, 0, sendBuffer.Length);
                completeArgs.UserToken = clientSocket;
                completeArgs.RemoteEndPoint = hostEndPoint;
                completeArgs.Completed += 
                  new EventHandler<socketasynceventargs />(OnSend);

                // Start sending asynchronously.
                clientSocket.SendAsync(completeArgs);

                // Wait for the send/receive completed.
                AutoResetEvent.WaitAll(autoSendReceiveEvents);

                // Return data from SocketAsyncEventArgs buffer.
                return Encoding.ASCII.GetString(completeArgs.Buffer, 
                       completeArgs.Offset, completeArgs.BytesTransferred);
            }
            else
            {
                throw new SocketException((Int32)SocketError.NotConnected);
            }
        }

        #region IDisposable Members

        // Disposes the instance of SocketClient.
        public void Dispose()
        {
            autoConnectEvent.Close();
            autoSendReceiveEvents[SendOperation].Close();
            autoSendReceiveEvents[ReceiveOperation].Close();
            if (clientSocket.Connected)
            {
                clientSocket.Close();
            }
        }

        #endregion
    }
}

Points of Interest

I had an experience with a socket server running in a clustered environment. In this scenario, you can't use the first entry in the address list from the host. Instead, you should use the last address, as shown in the Start method. Another technique presented here is how to set the dual mode for an IP6 address family, which is helpful if you want to run the server in a Windows Vista or Windows Server 2008, which enables IP6 by default.

Both programs use command-line arguments to run. In the client example, you should inform "localhost" as the name of the host instead of the machine name if both the server and the client are running in a machine out of a Windows domain.

History

  • 15 January, 2008 - Original version posted
  • 28 September, 2010 - Updated article and server example

License

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


Written By
Architect
Brazil Brazil
I am working with software development since 1989, mainly in distributed environments.

Comments and Discussions

 
Questionhow to code a server base on SocketAsyncEventAgrs Echo multiple clients? Pin
lvyuqiang28-May-12 23:57
lvyuqiang28-May-12 23:57 
AnswerRe: how to code a server base on SocketAsyncEventAgrs Echo multiple clients? Pin
Marcos Hidalgo Nunes29-May-12 16:41
Marcos Hidalgo Nunes29-May-12 16:41 
GeneralRe: how to code a server base on SocketAsyncEventAgrs Echo multiple clients? Pin
lvyuqiang29-May-12 17:54
lvyuqiang29-May-12 17:54 
GeneralRe: how to code a server base on SocketAsyncEventAgrs Echo multiple clients? Pin
Marcos Hidalgo Nunes5-Jun-12 15:02
Marcos Hidalgo Nunes5-Jun-12 15:02 
GeneralRe: how to code a server base on SocketAsyncEventAgrs Echo multiple clients? Pin
lvyuqiang12-Jun-12 18:05
lvyuqiang12-Jun-12 18:05 
QuestionIs this still the best approach? Pin
Paul Tait6-Oct-11 15:03
Paul Tait6-Oct-11 15:03 
GeneralI have one question Pin
Member 78137425-Apr-11 4:16
Member 78137425-Apr-11 4:16 
GeneralRe: I have one question Pin
Marcos Hidalgo Nunes5-Apr-11 17:00
Marcos Hidalgo Nunes5-Apr-11 17:00 
It's possible to do what you want. To accomplish this feature (a keep-alive client connection) you can use an instance of native Socket class. Below there is a helper class to do it:

using System;
using System.Net;
using System.Net.Sockets;

namespace ClientSocketServer
{
    internal sealed class ExtendedSocket : IDisposable
    {
        private const Int32 FIONREAD = 0x4004667F;

        private Socket socket;

        private Int32 bufferSize;

        internal ExtendedSocket(String host, Int32 port, Int32 timeOut)
        {
            // Instances a socket
            IPHostEntry ipHostInfo = Dns.GetHostEntry(host);
            IPAddress[] addressList = Dns.GetHostEntry(Environment.MachineName).AddressList;
            IPEndPoint hostEP = new IPEndPoint(addressList[addressList.Length - 1], port);
            this.socket = new Socket(hostEP.AddressFamily, SocketType.Stream, ProtocolType.Tcp);

            // Defines time-out
            this.socket.SendTimeout = timeOut;
            this.socket.ReceiveTimeout = timeOut;

            // Open a connection
            this.socket.Connect(hostEP);
        }

        internal Byte[] SendReceive(Byte[] bufferEnvio)
        {
            Byte[] receiveBuffer = null;

            Int32 bytesSent = this.socket.Send(bufferEnvio);
            if (bytesSent > 0)
            {
                // Receive the response from a listener.
                Byte[] returnBuffer = new Byte[Int16.MaxValue];
                Int32 receivedBytes = this.socket.Receive(returnBuffer);

                receiveBuffer = new Byte[receivedBytes];
                Array.Copy(returnBuffer, 0, receiveBuffer, 0, receivedBytes);
            }

            return receiveBuffer;
        }

        #region IDisposable Members

        public void Dispose()
        {
            if (this.socket != null)
            {
                try
                {
                    if (this.socket.Connected)
                    {
                        this.socket.Shutdown(SocketShutdown.Both);
                    }
                }
                finally
                {
                    this.socket.Close();
                }
            }
        }

        #endregion
    }
}


The code below is an example where a text file is read and the lines are sent to the socket server (using a timer to send one line each interval) until a key is pressed.

using System;
using System.IO;
using System.Net.Sockets;
using System.Text;
using System.Threading;
using System.Timers;

namespace ClientSocketServer
{
    public static class Program
    {
        private const Int32 PORT = 9900, TIME_OUT = 120000;

        private static System.Timers.Timer _timer;

        private static String[] messages;

        private static Int32 count, threadId;

        private static ExtendedSocket socket;

        public static void Main(string[] args)
        {
            Int32 interval;

            if (args.Length == 0 || !Int32.TryParse(args[0], out interval))
            {
                interval = 100;
            }

            Console.WriteLine("Press any key to stop.");

            try
            {
                messages = File.ReadAllLines(@"C:\temp\Data.log");
                socket = new ExtendedSocket(Environment.MachineName, PORT, TIME_OUT);
            }
            catch (Exception ex)
            {
                Console.WriteLine(ex.ToString());
                return;
            }

            _timer = new System.Timers.Timer(interval);
            _timer.Elapsed += new ElapsedEventHandler(OnTimedEvent);
            _timer.Enabled = true;
            _timer.Start();

            Console.ReadLine();

            _timer.Enabled = false;
            _timer.Elapsed -= OnTimedEvent;
            socket.Dispose();
        }

        private static void OnTimedEvent(Object sender, ElapsedEventArgs e)
        {
            _timer.Stop();

            try
            {
                count++;
                if (count == messages.Length)
                {
                    count = 0;
                }

                String message = String.Format("PING THREAD {0} {1:dd/MM/yyyy HH:mm:ss}: {2}", Thread.CurrentThread.ManagedThreadId, DateTime.Now, messages[count].ToUpper());

                Byte[] returnBytes = socket.SendReceive(Encoding.ASCII.GetBytes(message));
                if (returnBytes.Length > 0)
                {
                    String received = Encoding.ASCII.GetString(returnBytes);
                    Console.WriteLine(received);
                }

            }
            catch (SocketException se)
            {
                Console.WriteLine(String.Format("\r\nSocket error {0}:\r\n{1}", se.SocketErrorCode, se.ToString()));
                return;
            }
            catch (Exception ex)
            {
                Console.WriteLine(String.Concat(Environment.NewLine, ex.ToString(), Environment.NewLine));
            }

            _timer.Start();
        }
    }
}


I hope it helps. And don't worry about English, since it's not my mother tongue too Smile | :)
GeneralRe: I have one question Pin
Member 78137425-Apr-11 22:27
Member 78137425-Apr-11 22:27 
GeneralRe: I have one question Pin
Marcos Hidalgo Nunes7-Apr-11 13:53
Marcos Hidalgo Nunes7-Apr-11 13:53 
GeneralCrash after 1300 connections Pin
DJAlexxstyle21-Mar-11 8:06
DJAlexxstyle21-Mar-11 8:06 
GeneralRe: Crash after 1300 connections Pin
Marcos Hidalgo Nunes21-Mar-11 14:26
Marcos Hidalgo Nunes21-Mar-11 14:26 
GeneralRe: Crash after 1300 connections [modified] Pin
DJAlexxstyle22-Mar-11 9:52
DJAlexxstyle22-Mar-11 9:52 
GeneralRe: Crash after 1300 connections [modified] Pin
meraydin6-May-12 20:47
meraydin6-May-12 20:47 
GeneralMy vote of 5 Pin
SteveWilkinson21-Dec-10 22:30
SteveWilkinson21-Dec-10 22:30 
QuestionSSL with SocketAsyncEventArgs? Pin
jcexited6-Oct-10 20:55
jcexited6-Oct-10 20:55 
AnswerRe: SSL with SocketAsyncEventArgs? Pin
Marcos Hidalgo Nunes7-Oct-10 16:14
Marcos Hidalgo Nunes7-Oct-10 16:14 
GeneralRe: SSL with SocketAsyncEventArgs? Pin
Metal_GOD13-Dec-10 6:57
Metal_GOD13-Dec-10 6:57 
GeneralRe: SSL with SocketAsyncEventArgs? Pin
Marcos Hidalgo Nunes13-Dec-10 14:31
Marcos Hidalgo Nunes13-Dec-10 14:31 
GeneralWhere to Process the incoming message and respond indepenently for each client Pin
nickvh6-Oct-10 6:52
nickvh6-Oct-10 6:52 
GeneralRe: Where to Process the incoming message and respond indepenently for each client Pin
Marcos Hidalgo Nunes7-Oct-10 16:25
Marcos Hidalgo Nunes7-Oct-10 16:25 
Generaliocp socket server Pin
VF8-Sep-10 22:43
VF8-Sep-10 22:43 
GeneralRe: iocp socket server Pin
TheBigDirty27-Feb-11 15:50
TheBigDirty27-Feb-11 15:50 
GeneralRe: iocp socket server Pin
VF27-Feb-11 23:29
VF27-Feb-11 23:29 
QuestionHow to handle packet split? Pin
MarinDaniel25-Jun-10 23:51
MarinDaniel25-Jun-10 23:51 

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.