参考网址:http://www.cnblogs.com/sunev/archive/2012/08/07/2625688.html

一、摘要

  本篇博文阐述基于TCP通信协议的异步实现。

二、实验平台

  Visual Studio 2010

三、异步通信实现原理及常用方法

3.1 建立连接 

  在同步模式中,在服务器上使用Accept方法接入连接请求,而在客户端则使用Connect方法来连接服务器。相对地,在异步模式下,服务器可以使用BeginAccept方法和EndAccept方法来完成连接到客户端的任务,在客户端则通过BeginConnect方法和EndConnect方法来实现与服务器的连接。

  BeginAccept在异步方式下传入的连接尝试,它允许其他动作而不必等待连接建立才继续执行后面程序。在调用BeginAccept之前,必须使用Listen方法来侦听是否有连接请求,BeginAccept的函数原型为:

BeginAccept(AsyncCallback AsyncCallback, Ojbect state)

参数:

AsyncCallBack:代表回调函数

state:表示状态信息,必须保证state中包含socket的句柄

  使用BeginAccept的基本流程是:
(1)创建本地终节点,并新建套接字与本地终节点进行绑定;
(2)在端口上侦听是否有新的连接请求;
(3)请求开始接入新的连接,传入Socket的实例或者StateOjbect的实例。

  参考代码:

//定义IP地址
IPAddress local = IPAddress.Parse("127.0,0,1");
IPEndPoint iep = new IPEndPoint(local,13000);
//创建服务器的socket对象
Socket server = new Socket(AddressFamily.InterNetwork,SocketType.Stream,ProtocolType.Tcp);
server.Bind(iep);
server.Listen(20);
server.BeginAccecpt(new AsyncCallback(Accept),server);

  当BeginAccept()方法调用结束后,一旦新的连接发生,将调用回调函数,而该回调函数必须包括用来结束接入连接操作的EndAccept()方法。

该方法参数列表为 Socket EndAccept(IAsyncResult iar)

下面为回调函数的实例:

void Accept(IAsyncResult iar)
{//还原传入的原始套接字Socket MyServer = (Socket)iar.AsyncState;//在原始套接字上调用EndAccept方法,返回新的套接字Socket service = MyServer.EndAccept(iar);
}

  至此,服务器端已经准备好了。客户端应通过BeginConnect方法和EndConnect来远程连接主机。在调用BeginConnect方法时必须注册相应的回调函数并且至少传递一个Socket的实例给state参数,以保证EndConnect方法中能使用原始的套接字。下面是一段是BeginConnect的调用:

Socket socket=new Socket(AddressFamily.InterNetwork,SocketType.Stream,ProtocolType.Tcp)
IPAddress ip=IPAddress.Parse("127.0.0.1");
IPEndPoint iep=new IPEndPoint(ip,13000);
socket.BeginConnect(iep, new AsyncCallback(Connect),socket);

  EndConnect是一种阻塞方法,用于完成BeginConnect方法的异步连接诶远程主机的请求。在注册了回调函数后必须接收BeginConnect方法返回的IASynccReuslt作为参数。下面为代码演示:

void Connect(IAsyncResult iar)
{Socket client=(Socket)iar.AsyncState;try{client.EndConnect(iar);}catch (Exception e){Console.WriteLine(e.ToString());}finally{}
}

  除了采用上述方法建立连接之后,也可以采用TcpListener类里面的方法进行连接建立。下面是服务器端对关于TcpListener类使用BeginAccetpTcpClient方法处理一个传入的连接尝试。以下是使用BeginAccetpTcpClient方法和EndAccetpTcpClient方法的代码:

public static void DoBeginAccept(TcpListener listner)
{//开始从客户端监听连接Console.WriteLine("Waitting for a connection");//接收连接//开始准备接入新的连接,一旦有新连接尝试则调用回调函数DoAcceptTcpClietlistner.BeginAcceptTcpClient(new AsyncCallback(DoAcceptTcpCliet), listner);
}//处理客户端的连接
public static void DoAcceptTcpCliet(IAsyncResult iar)
{//还原原始的TcpListner对象TcpListener listener = (TcpListener)iar.AsyncState;//完成连接的动作,并返回新的TcpClientTcpClient client = listener.EndAcceptTcpClient(iar);Console.WriteLine("连接成功");
}

  代码的处理逻辑为:
(1)调用BeginAccetpTcpClient方法开开始连接新的连接,当连接视图发生时,回调函数被调用以完成连接操作;
(2)上面DoAcceptTcpCliet方法通过AsyncState属性获得由BeginAcceptTcpClient传入的listner实例;
(3)在得到listener对象后,用它调用EndAcceptTcpClient方法,该方法返回新的包含客户端信息的TcpClient。

  BeginConnect方法和EndConnect方法可用于客户端尝试建立与服务端的连接,这里和第一种方法并无区别。下面看实例:

public void doBeginConnect(IAsyncResult iar)
{Socket client=(Socket)iar.AsyncState;//开始与远程主机进行连接client.BeginConnect(serverIP[0],13000,requestCallBack,client);Console.WriteLine("开始与服务器进行连接");
}
private void requestCallBack(IAsyncResult iar)
{try{//还原原始的TcpClient对象TcpClient client=(TcpClient)iar.AsyncState;//client.EndConnect(iar);Console.WriteLine("与服务器{0}连接成功",client.Client.RemoteEndPoint);}catch(Exception e){Console.WriteLine(e.ToString());}finally{}
}

  以上是建立连接的两种方法。可根据需要选择使用。

3.2 发送与接受数据
  在建立了套接字的连接后,就可以服务器端和客户端之间进行数据通信了。异步套接字用BeginSend和EndSend方法来负责数据的发送。注意在调用BeginSend方法前要确保双方都已经建立连接,否则会出异常。下面演示代码:

private static void Send(Socket handler, String data)
{// Convert the string data to byte data using ASCII encoding.     byte[] byteData = Encoding.ASCII.GetBytes(data);// Begin sending the data to the remote device.     handler.BeginSend(byteData, 0, byteData.Length, 0, new AsyncCallback(SendCallback), handler);
}
private static void SendCallback(IAsyncResult ar)
{try{// Retrieve the socket from the state object.     Socket handler = (Socket)ar.AsyncState;// Complete sending the data to the remote device.     int bytesSent = handler.EndSend(ar);Console.WriteLine("Sent {0} bytes to client.", bytesSent);handler.Shutdown(SocketShutdown.Both);handler.Close();}catch (Exception e){Console.WriteLine(e.ToString());}
}

  接收数据是通过BeginReceive和EndReceive方法:

private static void Receive(Socket client)
{try{// Create the state object.     StateObject state = new StateObject();state.workSocket = client;// Begin receiving the data from the remote device.     client.BeginReceive(state.buffer, 0, StateObject.BufferSize, 0, new AsyncCallback(ReceiveCallback), state);}catch (Exception e){Console.WriteLine(e.ToString());}
}
private static void ReceiveCallback(IAsyncResult ar)
{try{// Retrieve the state object and the client socket     // from the asynchronous state object.     StateObject state = (StateObject)ar.AsyncState;Socket client = state.workSocket;// Read data from the remote device.     int bytesRead = client.EndReceive(ar);if (bytesRead > 0){// There might be more data, so store the data received so far.     state.sb.Append(Encoding.ASCII.GetString(state.buffer, 0, bytesRead));// Get the rest of the data.     client.BeginReceive(state.buffer, 0, StateObject.BufferSize, 0, new AsyncCallback(ReceiveCallback), state);}else{// All the data has arrived; put it in response.     if (state.sb.Length > 1){response = state.sb.ToString();}// Signal that all bytes have been received.     receiveDone.Set();}}catch (Exception e){Console.WriteLine(e.ToString());}
}

  上述代码的处理逻辑为:

(1)首先处理连接的回调函数里得到的通讯套接字client,接着开始接收数据;
(2)当数据发送到缓冲区中,BeginReceive方法试图从buffer数组中读取长度为buffer.length的数据块,并返回接收到的数据量bytesRead。最后接收并打印数据。

  

  除了上述方法外,还可以使用基于NetworkStream相关的异步发送和接收方法,下面是基于NetworkStream相关的异步发送和接收方法的使用介绍。
  NetworkStream使用BeginRead和EndRead方法进行读操作,使用BeginWreite和EndWrete方法进行写操作,下面看实例:

static void DataHandle(TcpClient client)
{TcpClient tcpClient = client;//使用TcpClient的GetStream方法获取网络流NetworkStream ns = tcpClient.GetStream();//检查网络流是否可读if(ns.CanRead){//定义缓冲区byte[] read = new byte[1024];ns.BeginRead(read,0,read.Length,new AsyncCallback(myReadCallBack),ns);  }else{Console.WriteLine("无法从网络中读取流数据");}
}public static void myReadCallBack(IAsyncResult iar)
{NetworkStream ns = (NetworkStream)iar.AsyncState;byte[] read = new byte[1024];String data = "";int recv;recv = ns.EndRead(iar);data = String.Concat(data, Encoding.ASCII.GetString(read, 0, recv));//接收到的消息长度可能大于缓冲区总大小,反复循环直到读完为止while (ns.DataAvailable){ns.BeginRead(read, 0, read.Length, new AsyncCallback(myReadCallBack), ns);}//打印Console.WriteLine("您收到的信息是" + data);
}

3.3 程序阻塞与异步中的同步问题
  .Net里提供了EventWaitHandle类来表示一个线程的同步事件。EventWaitHandle即事件等待句柄,他允许线程通过操作系统互发信号和等待彼此的信号来达到线程同步的目的。这个类有2个子类,分别为AutoRestEevnt(自动重置)和ManualRestEvent(手动重置)。下面是线程同步的几个方法:
(1)Rset方法:将事件状态设为非终止状态,导致线程阻塞。这里的线程阻塞是指允许其他需要等待的线程进行阻塞即让含WaitOne()方法的线程阻塞;
(2)Set方法:将事件状态设为终止状态,允许一个或多个等待线程继续。该方法发送一个信号给操作系统,让处于等待的某个线程从阻塞状态转换为继续运行,即WaitOne方法的线程不在阻塞;
(3)WaitOne方法:阻塞当前线程,直到当前的等待句柄收到信号。此方法将一直使本线程处于阻塞状态直到收到信号为止,即当其他非阻塞进程调用set方法时可以继续执行。

public static void StartListening()
{// Data buffer for incoming data.     byte[] bytes = new Byte[1024];// Establish the local endpoint for the socket.     // The DNS name of the computer     // running the listener is "host.contoso.com".     //IPHostEntry ipHostInfo = Dns.Resolve(Dns.GetHostName());//IPAddress ipAddress = ipHostInfo.AddressList[0];IPAddress ipAddress = IPAddress.Parse("127.0.0.1");IPEndPoint localEndPoint = new IPEndPoint(ipAddress, 11000);// Create a TCP/IP socket.     Socket listener = new Socket(AddressFamily.InterNetwork,SocketType.Stream, ProtocolType.Tcp);// Bind the socket to the local     //endpoint and listen for incoming connections.     try{listener.Bind(localEndPoint);listener.Listen(100);while (true){// Set the event to nonsignaled state.     allDone.Reset();// Start an asynchronous socket to listen for connections.     Console.WriteLine("Waiting for a connection...");listener.BeginAccept(new AsyncCallback(AcceptCallback),listener);// Wait until a connection is made before continuing.     allDone.WaitOne();}}catch (Exception e){Console.WriteLine(e.ToString());}Console.WriteLine("\nPress ENTER to continue...");Console.Read();
}

  上述代码的逻辑为:

(1)试用了ManualRestEvent对象创建一个等待句柄,在调用BeginAccept方法前使用Rest方法允许其他线程阻塞;
(2)为了防止在连接完成之前对套接字进行读写操作,务必要在BeginAccept方法后调用WaitOne来让线程进入阻塞状态。

  当有连接接入后系统会自动调用会调用回调函数,所以当代码执行到回调函数时说明连接已经成功,并在函数的第一句就调用Set方法让处于等待的线程可以继续执行。

四、实例

  下面是一个实例,客户端请求连接,服务器端侦听端口,当连接建立之后,服务器发送字符串给客户端,客户端收到后并回发给服务器端。

服务器端代码:

using System;
using System.Net;
using System.Net.Sockets;
using System.Text;
using System.Threading;
// State object for reading client data asynchronously
public class StateObject
{// Client socket.     public Socket workSocket = null;// Size of receive buffer.     public const int BufferSize = 1024;// Receive buffer.     public byte[] buffer = new byte[BufferSize];// Received data string.     public StringBuilder sb = new StringBuilder();
}
public class AsynchronousSocketListener
{// Thread signal.     public static ManualResetEvent allDone = new ManualResetEvent(false);public AsynchronousSocketListener(){}public static void StartListening(){// Data buffer for incoming data.     byte[] bytes = new Byte[1024];// Establish the local endpoint for the socket.     // The DNS name of the computer     // running the listener is "host.contoso.com".     //IPHostEntry ipHostInfo = Dns.Resolve(Dns.GetHostName());//IPAddress ipAddress = ipHostInfo.AddressList[0];IPAddress ipAddress = IPAddress.Parse("127.0.0.1");IPEndPoint localEndPoint = new IPEndPoint(ipAddress, 11000);// Create a TCP/IP socket.     Socket listener = new Socket(AddressFamily.InterNetwork,SocketType.Stream, ProtocolType.Tcp);// Bind the socket to the local     //endpoint and listen for incoming connections.     try{listener.Bind(localEndPoint);listener.Listen(100);while (true){// Set the event to nonsignaled state.     allDone.Reset();// Start an asynchronous socket to listen for connections.     Console.WriteLine("Waiting for a connection...");listener.BeginAccept(new AsyncCallback(AcceptCallback),listener);// Wait until a connection is made before continuing.     allDone.WaitOne();}}catch (Exception e){Console.WriteLine(e.ToString());}Console.WriteLine("\nPress ENTER to continue...");Console.Read();}public static void AcceptCallback(IAsyncResult ar){// Signal the main thread to continue.     allDone.Set();// Get the socket that handles the client request.     Socket listener = (Socket)ar.AsyncState;Socket handler = listener.EndAccept(ar);// Create the state object.     StateObject state = new StateObject();state.workSocket = handler;handler.BeginReceive(state.buffer, 0, StateObject.BufferSize, 0, new AsyncCallback(ReadCallback), state);}public static void ReadCallback(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;// Read data from the client socket.     int bytesRead = handler.EndReceive(ar);if (bytesRead > 0){// There might be more data, so store the data received so far.     state.sb.Append(Encoding.ASCII.GetString(state.buffer, 0, bytesRead));// Check for end-of-file tag. If it is not there, read     // more data.     content = state.sb.ToString();if (content.IndexOf("<EOF>") > -1){// All the data has been read from the     // client. Display it on the console.     Console.WriteLine("Read {0} bytes from socket. \n Data : {1}", content.Length, content);// Echo the data back to the client.     Send(handler, content);}else{// Not all data received. Get more.     handler.BeginReceive(state.buffer, 0, StateObject.BufferSize, 0, new AsyncCallback(ReadCallback), state);}}}private static void Send(Socket handler, String data){// Convert the string data to byte data using ASCII encoding.     byte[] byteData = Encoding.ASCII.GetBytes(data);// Begin sending the data to the remote device.     handler.BeginSend(byteData, 0, byteData.Length, 0, new AsyncCallback(SendCallback), handler);}private static void SendCallback(IAsyncResult ar){try{// Retrieve the socket from the state object.     Socket handler = (Socket)ar.AsyncState;// Complete sending the data to the remote device.     int bytesSent = handler.EndSend(ar);Console.WriteLine("Sent {0} bytes to client.", bytesSent);handler.Shutdown(SocketShutdown.Both);handler.Close();}catch (Exception e){Console.WriteLine(e.ToString());}}public static int Main(String[] args){StartListening();return 0;}
}

using System;
using System.Net;
using System.Net.Sockets;
using System.Text;
using System.Threading;
// State object for reading client data asynchronously
public class StateObject
{// Client socket.     public Socket workSocket = null;// Size of receive buffer.     public const int BufferSize = 1024;// Receive buffer.     public byte[] buffer = new byte[BufferSize];// Received data string.     public StringBuilder sb = new StringBuilder();
}
public class AsynchronousSocketListener
{// Thread signal.     public static ManualResetEvent allDone = new ManualResetEvent(false);public AsynchronousSocketListener(){}public static void StartListening(){// Data buffer for incoming data.     byte[] bytes = new Byte[1024];// Establish the local endpoint for the socket.     // The DNS name of the computer     // running the listener is "host.contoso.com".     //IPHostEntry ipHostInfo = Dns.Resolve(Dns.GetHostName());//IPAddress ipAddress = ipHostInfo.AddressList[0];IPAddress ipAddress = IPAddress.Parse("127.0.0.1");IPEndPoint localEndPoint = new IPEndPoint(ipAddress, 11000);// Create a TCP/IP socket.     Socket listener = new Socket(AddressFamily.InterNetwork,SocketType.Stream, ProtocolType.Tcp);// Bind the socket to the local     //endpoint and listen for incoming connections.     try{listener.Bind(localEndPoint);listener.Listen(100);while (true){// Set the event to nonsignaled state.     allDone.Reset();// Start an asynchronous socket to listen for connections.     Console.WriteLine("Waiting for a connection...");listener.BeginAccept(new AsyncCallback(AcceptCallback),listener);// Wait until a connection is made before continuing.     allDone.WaitOne();}}catch (Exception e){Console.WriteLine(e.ToString());}Console.WriteLine("\nPress ENTER to continue...");Console.Read();}public static void AcceptCallback(IAsyncResult ar){// Signal the main thread to continue.     allDone.Set();// Get the socket that handles the client request.     Socket listener = (Socket)ar.AsyncState;Socket handler = listener.EndAccept(ar);// Create the state object.     StateObject state = new StateObject();state.workSocket = handler;handler.BeginReceive(state.buffer, 0, StateObject.BufferSize, 0, new AsyncCallback(ReadCallback), state);}public static void ReadCallback(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;// Read data from the client socket.     int bytesRead = handler.EndReceive(ar);if (bytesRead > 0){// There might be more data, so store the data received so far.     state.sb.Append(Encoding.ASCII.GetString(state.buffer, 0, bytesRead));// Check for end-of-file tag. If it is not there, read     // more data.     content = state.sb.ToString();if (content.IndexOf("<EOF>") > -1){// All the data has been read from the     // client. Display it on the console.     Console.WriteLine("Read {0} bytes from socket. \n Data : {1}", content.Length, content);// Echo the data back to the client.     Send(handler, content);}else{// Not all data received. Get more.     handler.BeginReceive(state.buffer, 0, StateObject.BufferSize, 0, new AsyncCallback(ReadCallback), state);}}}private static void Send(Socket handler, String data){// Convert the string data to byte data using ASCII encoding.     byte[] byteData = Encoding.ASCII.GetBytes(data);// Begin sending the data to the remote device.     handler.BeginSend(byteData, 0, byteData.Length, 0, new AsyncCallback(SendCallback), handler);}private static void SendCallback(IAsyncResult ar){try{// Retrieve the socket from the state object.     Socket handler = (Socket)ar.AsyncState;// Complete sending the data to the remote device.     int bytesSent = handler.EndSend(ar);Console.WriteLine("Sent {0} bytes to client.", bytesSent);handler.Shutdown(SocketShutdown.Both);handler.Close();}catch (Exception e){Console.WriteLine(e.ToString());}}public static int Main(String[] args){StartListening();return 0;}
}

客户端代码:

using System;
using System.Net;
using System.Net.Sockets;
using System.Threading;
using System.Text;
// State object for receiving data from remote device.
public class StateObject
{// Client socket.     public Socket workSocket = null;// Size of receive buffer.     public const int BufferSize = 256;// Receive buffer.     public byte[] buffer = new byte[BufferSize];// Received data string.     public StringBuilder sb = new StringBuilder();
}
public class AsynchronousClient
{// The port number for the remote device.     private const int port = 11000;// ManualResetEvent instances signal completion.     private static ManualResetEvent connectDone = new ManualResetEvent(false);private static ManualResetEvent sendDone = new ManualResetEvent(false);private static ManualResetEvent receiveDone = new ManualResetEvent(false);// The response from the remote device.     private static String response = String.Empty;private static void StartClient(){// Connect to a remote device.     try{// Establish the remote endpoint for the socket.     // The name of the     // remote device is "host.contoso.com".     //IPHostEntry ipHostInfo = Dns.Resolve("user");//IPAddress ipAddress = ipHostInfo.AddressList[0];IPAddress ipAddress = IPAddress.Parse("127.0.0.1");IPEndPoint remoteEP = new IPEndPoint(ipAddress, port);// Create a TCP/IP socket.     Socket client = new Socket(AddressFamily.InterNetwork, SocketType.Stream, ProtocolType.Tcp);// Connect to the remote endpoint.     client.BeginConnect(remoteEP, new AsyncCallback(ConnectCallback), client);connectDone.WaitOne();// Send test data to the remote device.     Send(client, "This is a test<EOF>");sendDone.WaitOne();// Receive the response from the remote device.     Receive(client);receiveDone.WaitOne();// Write the response to the console.     Console.WriteLine("Response received : {0}", response);// Release the socket.     client.Shutdown(SocketShutdown.Both);client.Close();Console.ReadLine();}catch (Exception e){Console.WriteLine(e.ToString());}}private static void ConnectCallback(IAsyncResult ar){try{// Retrieve the socket from the state object.     Socket client = (Socket)ar.AsyncState;// Complete the connection.     client.EndConnect(ar);Console.WriteLine("Socket connected to {0}", client.RemoteEndPoint.ToString());// Signal that the connection has been made.     connectDone.Set();}catch (Exception e){Console.WriteLine(e.ToString());}}private static void Receive(Socket client){try{// Create the state object.     StateObject state = new StateObject();state.workSocket = client;// Begin receiving the data from the remote device.     client.BeginReceive(state.buffer, 0, StateObject.BufferSize, 0, new AsyncCallback(ReceiveCallback), state);}catch (Exception e){Console.WriteLine(e.ToString());}}private static void ReceiveCallback(IAsyncResult ar){try{// Retrieve the state object and the client socket     // from the asynchronous state object.     StateObject state = (StateObject)ar.AsyncState;Socket client = state.workSocket;// Read data from the remote device.     int bytesRead = client.EndReceive(ar);if (bytesRead > 0){// There might be more data, so store the data received so far.     state.sb.Append(Encoding.ASCII.GetString(state.buffer, 0, bytesRead));// Get the rest of the data.     client.BeginReceive(state.buffer, 0, StateObject.BufferSize, 0, new AsyncCallback(ReceiveCallback), state);}else{// All the data has arrived; put it in response.     if (state.sb.Length > 1){response = state.sb.ToString();}// Signal that all bytes have been received.     receiveDone.Set();}}catch (Exception e){Console.WriteLine(e.ToString());}}private static void Send(Socket client, String data){// Convert the string data to byte data using ASCII encoding.     byte[] byteData = Encoding.ASCII.GetBytes(data);// Begin sending the data to the remote device.     client.BeginSend(byteData, 0, byteData.Length, 0, new AsyncCallback(SendCallback), client);}private static void SendCallback(IAsyncResult ar){try{// Retrieve the socket from the state object.     Socket client = (Socket)ar.AsyncState;// Complete sending the data to the remote device.     int bytesSent = client.EndSend(ar);Console.WriteLine("Sent {0} bytes to server.", bytesSent);// Signal that all bytes have been sent.     sendDone.Set();}catch (Exception e){Console.WriteLine(e.ToString());}}public static int Main(String[] args){StartClient();return 0;}
}

using System;
using System.Net;
using System.Net.Sockets;
using System.Threading;
using System.Text;
// State object for receiving data from remote device.
public class StateObject
{
  // Client socket.
  public Socket workSocket = null;
  // Size of receive buffer.
  public const int BufferSize = 256;
  // Receive buffer.
  public byte[] buffer = new byte[BufferSize];
  // Received data string.
  public StringBuilder sb = new StringBuilder();
}
public class AsynchronousClient
{
  // The port number for the remote device.
  private const int port = 11000;
  // ManualResetEvent instances signal completion.
  private static ManualResetEvent connectDone = new ManualResetEvent(false);
  private static ManualResetEvent sendDone = new ManualResetEvent(false);
  private static ManualResetEvent receiveDone = new ManualResetEvent(false);
  // The response from the remote device.
  private static String response = String.Empty;
  private static void StartClient()
{
// Connect to a remote device.
try
{
  // Establish the remote endpoint for the socket.
  // The name of the
  // remote device is "host.contoso.com".
  //IPHostEntry ipHostInfo = Dns.Resolve("user");
  //IPAddress ipAddress = ipHostInfo.AddressList[0];
  IPAddress ipAddress = IPAddress.Parse("127.0.0.1");
  IPEndPoint remoteEP = new IPEndPoint(ipAddress, port);
  // Create a TCP/IP socket.
  Socket client = new Socket(AddressFamily.InterNetwork, SocketType.Stream, ProtocolType.Tcp);
  // Connect to the remote endpoint.
  client.BeginConnect(remoteEP, new AsyncCallback(ConnectCallback), client);
  connectDone.WaitOne();
  // Send test data to the remote device.
  Send(client, "This is a test<EOF>");
  sendDone.WaitOne();
  // Receive the response from the remote device.
  Receive(client);
  receiveDone.WaitOne();
  // Write the response to the console.
  Console.WriteLine("Response received : {0}", response);
  // Release the socket.
  client.Shutdown(SocketShutdown.Both);
  client.Close();
  Console.ReadLine();
}
catch (Exception e)
{
  Console.WriteLine(e.ToString());
}
}

private static void ConnectCallback(IAsyncResult ar)
{
  try
  {
    // Retrieve the socket from the state object.
    Socket client = (Socket)ar.AsyncState;
    // Complete the connection.
    client.EndConnect(ar);
    Console.WriteLine("Socket connected to {0}", client.RemoteEndPoint.ToString());
    // Signal that the connection has been made.
    connectDone.Set();
  }
  catch (Exception e)
  {
    Console.WriteLine(e.ToString());
  }
}
private static void Receive(Socket client)
{
  try
    {
      // Create the state object.
      StateObject state = new StateObject();
      state.workSocket = client;
      // Begin receiving the data from the remote device.
      client.BeginReceive(state.buffer, 0, StateObject.BufferSize, 0, new AsyncCallback(ReceiveCallback), state);
    }
    catch (Exception e)
    {
      Console.WriteLine(e.ToString());
    }
}

private static void ReceiveCallback(IAsyncResult ar)
{
  try
  {
    // Retrieve the state object and the client socket
    // from the asynchronous state object.
    StateObject state = (StateObject)ar.AsyncState;
    Socket client = state.workSocket;
    // Read data from the remote device.
    int bytesRead = client.EndReceive(ar);
    if (bytesRead > 0)
    {
      // There might be more data, so store the data received so far.

      state.sb.Append(Encoding.ASCII.GetString(state.buffer, 0, bytesRead));
      // Get the rest of the data.
      client.BeginReceive(state.buffer, 0, StateObject.BufferSize, 0, new AsyncCallback(ReceiveCallback), state);
    }
    else
    {
      // All the data has arrived; put it in response.
      if (state.sb.Length > 1)
      {
        response = state.sb.ToString();
      }
        // Signal that all bytes have been received.
        receiveDone.Set();
    }
  }
  catch (Exception e)
  {
    Console.WriteLine(e.ToString());
  }
}

private static void Send(Socket client, String data)
{
    // Convert the string data to byte data using ASCII encoding.
    byte[] byteData = Encoding.ASCII.GetBytes(data);
    // Begin sending the data to the remote device.
    client.BeginSend(byteData, 0, byteData.Length, 0, new AsyncCallback(SendCallback), client);
}
private static void SendCallback(IAsyncResult ar)
{
  try
  {
    // Retrieve the socket from the state object.
    Socket client = (Socket)ar.AsyncState;
    // Complete sending the data to the remote device.
    int bytesSent = client.EndSend(ar);
    Console.WriteLine("Sent {0} bytes to server.", bytesSent);
    // Signal that all bytes have been sent.
    sendDone.Set();
   }
  catch (Exception e)
  {
    Console.WriteLine(e.ToString());
  }
}
public static int Main(String[] args)
{
  StartClient();
  return 0;
}
}

五、实验结果

图1 服务器端界面

图2 客户端界面

转载于:https://www.cnblogs.com/xiaocandou/p/4453394.html

Socket 异步通信编程相关推荐

  1. DotNET(C#) Socket基本编程 (1)

    Socket基本编程 服务端: using System.Net; using System.Net.Sockets; using System.Text; using System.Threadin ...

  2. Linux C++/Java/Web/OC Socket网络编程

    一,Linux C++ Socket网络编程 1.什么是TCP/IP.UDP? TCP/IP(Transmission Control Protocol/Internet Protocol)即传输控制 ...

  3. python运维开发之socket网络编程01

    python运维开发之socket网络编程01说明:本文来自来自北京老男孩linux运维实战培训中心-运维开发课程免费视频内容,本文内容为系列内容,更多分享信息见:http://oldboy.blog ...

  4. Socket网络编程(2)--服务端实现

    中秋了,首先祝大家中秋快乐,闲着无事在家整一个socket的聊天程序,有点仿QQ界面,就是瞎折腾,不知道最后是不是能将所有功能实现. 如果你对socket不了解,请看这篇文章:http://www.c ...

  5. Socket异步通信——使用SocketAsyncEventArgs

    上一次的博文说错了东西,幸好有园友指出.才把错误改正过来,顺便也把利用SocketAsyncEventArgs进行Socket异步通信这方面的知识整理一下. 之前看了网上的代码,每进行一次异步操作都n ...

  6. Linux Kernel TCP/IP Stack — Socket Layer — TCP/UDP Socket 网络编程

    目录 文章目录 目录 TCP/UDP Socket 逻辑架构 创建 Socket 绑定 Socket 请求建立 Socket 连接 监听 Socket 接受请求 关闭连接 数据的发送和接收 send ...

  7. Socket网络编程笔记

    网络.计算机网络的构成是什么? 网络: 在计算机领域中,网络是信息传输.接收.共享的虚拟平台,通过它可以把各个点.面(组织之间).体(例如公共app)的信息联系到一起,从而实现这些资源的共享. 局域网 ...

  8. 【Socket网络编程】14. perror()、errno 的使用

    经常会在socket网络编程时看到errno和perror(),他们是什么呢? 函数定义: void perror(const char *s); perror ("open_port&qu ...

  9. .net中的socket异步通信实现--客户端代码

    在上一篇文章中主要介绍了socket异步通信实现的服务器端代码,下面我们来分析一下客户端代码: 那么在设计客户端代码时我们主要考虑哪些问题呢? 第一是如何接收数据,往往一次传输的数据量较大,但sock ...

最新文章

  1. 使用xdebug分析thinkphp框架函数调用图
  2. javabean属性的类型选择包装类还是基本数据类型
  3. 八十六、从拓扑排序探究有向图
  4. java编程代写有哪些平台,学习路线+知识点梳理
  5. linux服务器虚拟内存设置,修改Linux服务器虚拟内存Swap大小
  6. 没想到,我们的分布式缓存竟这样把注册中心搞垮!
  7. 文本分类模型_文本分类中的经典深度学习模型
  8. 3大AI事件入围百度2017科技热搜,柯洁对战AlphaGo排名第一
  9. Oracle→数字函数、字符函数、时间函数、SYSDATE、TO_CHAR()、TO_DATE()、TO_NUMBER()、NVLNVL2NULLIF、ROW_NUMBER()
  10. hdmi接口和计算机连接,hdmi接口,手把手教你hdmi接口怎么连接电视
  11. 图像质量评价(IQA)综述
  12. Python爬虫教程入门(附源码)
  13. Spring validation框架简介
  14. 苹果手机怎么保存ins上的图片到本地
  15. [恒指赵鑫] 为什么恒指是2019年最火最受欢迎的交易品种?
  16. 计算机主机内最核心部件,计算机硬件系统中最核心的部件是什么
  17. A Visual, Intuitive Guide to Imaginary Numbers
  18. 经典语录总结:识人篇
  19. 基于白鲸优化算法的函数寻优算法
  20. netty报错 io.netty.util.IllegalReferenceCountException: refCnt: 0, decrement: 1

热门文章

  1. Keepalived实现LVS的高可用全解析
  2. C#数据结构与算法揭秘17
  3. 软件开发模式对比(瀑布、迭代、螺旋、敏捷)
  4. struct output SVM
  5. 关于Jsoup解析https网页的问题
  6. eclipse开发android手机定位
  7. vivo分屏_如果你用的是vivo手机,这4个功能别忽略,不然几千块就白花了
  8. Java操作Redis服务
  9. 关于spring cloud 各种组件的停更/升级/替换
  10. java的知识点45——CLOB 存储大量的文本数据与 BLOB 二进制大对象