C#使用线程写一个服务器程序

VC客户端的源程序在下载:http://download.csdn.net/detail/dijkstar/5170051

C#服务器:

    class Program
    {
        static Socket s;

        //
        // 服务器线程接收处理函数
        //
        static void ThreadMethod()
        {
            while (true)
            {
                Socket temp = s.Accept();//为新建连接创建新的Socket。 
                Console.WriteLine("得到一个客户端发来的套接字");
                string recvStr = "";
                byte[] recvBytes = new byte[1024];
                int bytes;
                bytes = temp.Receive(recvBytes, recvBytes.Length, 0);//从客户端接受信息
                recvStr += Encoding.ASCII.GetString(recvBytes, 0, bytes);
                Console.WriteLine("Server Get Message:{0}", recvStr);//把客户端传来的信息显示出来  
                string sendStr = "Ok! Client Send Message Sucessful!";  //试验好像不支持中文
                byte[] bs = Encoding.ASCII.GetBytes(sendStr);
                temp.Send(bs, bs.Length, 0);//返回客户端成功信息   
                temp.Close();
            }
        }

        static void Main(string[] args)
        {
            try
            {
                //
                // 创建服务器
                //
                int port = 1999;
                string host = "127.0.0.1";

                IPAddress ip = IPAddress.Parse(host);
                IPEndPoint ipe = new IPEndPoint(ip, port);
                s = new Socket(AddressFamily.InterNetwork, SocketType.Stream, ProtocolType.Tcp);//创建一个Socket类   
                s.Bind(ipe);//绑定2000端口    
                s.Listen(0);//开始监听    
                Console.WriteLine("等待客户端的请求:");

                //
                // 使用线程来处理不断来自客户端的请求
                //
                Thread th = new Thread(ThreadMethod);
                th.Start(); //启动线程


                //
                // 主线程死循环
                //
                while (true)
                {

                    Thread.Sleep(100);
                }


                th.Join(); //主线程等待辅助线程结束

                s.Close();
            }
            catch (ArgumentNullException e)
            {
                Console.WriteLine("ArgumentNullException: {0}", e);
            }
            catch (SocketException e)
            {
                Console.WriteLine("SocketException: {0}", e);
            }

            Console.WriteLine("Press Enter to Exit");
            Console.ReadLine();
        }
    }


 

你可能感兴趣的:(C#使用线程写一个服务器程序)