HelloServer是一個在1234端口監聽的服務端程序,它接受客戶送來的數據,而且把這些數據解釋爲響應的ASCII字符,再對客戶作出相似「Hello,...!"這樣的響應。如下是HelloServer的代碼。服務器
using System; using System.Collections.Generic; using System.Linq; using System.Net; using System.Net.Sockets; using System.Text; namespace HelloServer { class Program { static void Main(string[] args) { string host = "localhost"; IPAddress ip = Dns.Resolve(host).AddressList[0]; int port = 1234; TcpListener lst = new TcpListener(ip,port); //開始監聽 lst.Start(); //進入等待客戶的無限循環 while (true) { Console.Write("等待鏈接。。。。"); TcpClient c = lst.AcceptTcpClient(); Console.WriteLine("客戶已鏈接"); NetworkStream ns = c.GetStream(); //獲取客戶發來的數據 byte [] request = new byte[512]; int bytesRead = ns.Read(request, 0, request.Length); string input = Encoding.ASCII.GetString(request, 0, bytesRead); Console.WriteLine("客戶請求:{0}",input); //構造返回數據 string output = "Hello, " + input + "!"; byte[] hello = Encoding.ASCII.GetBytes(output); try { ns.Write(hello,0,hello.Length); ns.Close(); c.Close(); } catch (Exception e) { Console.WriteLine(e.ToString()); } } lst.Stop(); } } }
編譯以後運行,程序會顯示以下:spa
輸出結果code
等待鏈接。。。。blog
這時服務程序已經進入了等待鏈接的循環。若是不關閉控制檯端口,這個程序會一直等待。ip
如今編寫客戶端程序HelloClient,客戶端代碼以下input
using System; using System.Collections.Generic; using System.Linq; using System.Net.Sockets; using System.Text; namespace HelloClient { class Program { static void Main(string[] args) { try { string host = "localhost"; int port = 1234; TcpClient c = new TcpClient(host,port); NetworkStream ns = c.GetStream(); //構造請求數據 string output = "reader"; byte[] name = Encoding.ASCII.GetBytes(output); ns.Write(name,0,name.Length); byte [] response = new byte[1024]; //讀取服務器響應 int bytesRead = ns.Read(response, 0, response.Length); Console.WriteLine(Encoding.ASCII.GetString(response,0,bytesRead)); c.Close(); } catch (Exception e) { Console.WriteLine(e.ToString()); } } } }
輸出結果string
Hello,Reader!it
而在服務端,輸出變成了io
輸出結果編譯
等待鏈接。。。。客戶已鏈接
客戶請求:Reader
等待鏈接。。。。
記住先開啓服務端,在開啓客戶端的請求。否則會報錯!
截圖看運行結果