这是个学习socket的好例子,大家下来看看(我想)
问题解决.把Data类改了点
class Data
    {
        //Default constructor
        public Data()
        {
            this.cmdCommand = Command.Null;
            this.strMessage = null;
            this.strName = null;
        }
        //Converts the bytes into an object of type Data
        public Data(byte[] data)
        {
            //The first four bytes are for the Command
            this.cmdCommand = (Command)BitConverter.ToInt32(data, 0);
            //The next four store the length of the name
            int nameLen = BitConverter.ToInt32(data, 4);
            //The next four store the length of the message
            int msgLen = BitConverter.ToInt32(data, 8);
            //This check makes sure that strName has been passed in the array of bytes
            if (nameLen > 0)
                this.strName = Encoding.BigEndianUnicode.GetString(data, 12, nameLen*2);
            else
                this.strName = null;
            //This checks for a null message field
            if (msgLen > 0)
                this.strMessage = Encoding.BigEndianUnicode.GetString(data, 12 + nameLen*2, msgLen*2);
            else
                this.strMessage = null;
        }
        //Converts the Data structure into an array of bytes
        public byte[] ToByte()
        {
            List<byte> result = new List<byte>();
            //First four are for the Command
            result.AddRange(BitConverter.GetBytes((int)cmdCommand));
            //Add the length of the name
            if (strName != null)
                result.AddRange(BitConverter.GetBytes(strName.Length));
            else
                result.AddRange(BitConverter.GetBytes(0));
            //Length of the message
            if (strMessage != null)
                result.AddRange(BitConverter.GetBytes(strMessage.Length));
            else
                result.AddRange(BitConverter.GetBytes(0));
            //Add the name
            if (strName != null)
                result.AddRange(Encoding.BigEndianUnicode.GetBytes(strName));
            //And, lastly we add the message text to our array of bytes
            if (strMessage != null)
                result.AddRange(Encoding.BigEndianUnicode.GetBytes(strMessage));
            return result.ToArray();
        }
        public string strName;      //Name by which the client logs into the room
        public string strMessage;   //Message text
        public Command cmdCommand;  //Command type (login, logout, send message, etcetera)
    } 
}