I'm trying to serialize/deserialize string. Using the code:
       private byte[] StrToBytes(string str)
       {
            BinaryFormatter bf = new BinaryFormatter();
            MemoryStream ms = new MemoryStream();
            bf.Serialize(ms, str);
            ms.Seek(0, 0);
            return ms.ToArray();
       }
        private string BytesToStr(byte[] bytes)
        {
            BinaryFormatter bfx = new BinaryFormatter();
            MemoryStream msx = new MemoryStream();
            msx.Write(bytes, 0, bytes.Length);
            msx.Seek(0, 0);
            return Convert.ToString(bfx.Deserialize(msx));
        } 
This two code works fine if I play with string variables.
But If I deserialize a string and save it to a file, after reading the back and serializing it again, I end up with only first portion of the string. So I believe I have a problem with my file save/read operation. Here is the code for my save/read
private byte[] ReadWhole(string fileName)
        {
            try
            {
                using (BinaryReader br = new BinaryReader(new FileStream(fileName, FileMode.Open)))
                {
                   return br.ReadBytes((int)br.BaseStream.Length);
                }
            }
            catch (Exception)
            {
                return null;
            }
        }
        private  void WriteWhole(byte[] wrt,string fileName,bool append)
        {
            FileMode fm = FileMode.OpenOrCreate;
            if (append)
                fm = FileMode.Append;
            using (BinaryWriter bw = new BinaryWriter(new FileStream(fileName, fm)))
            {
                bw.Write(wrt);
            }
            return;
        }
Any help will be appreciated. Many thanks
Sample Problematic Run:
WriteWhole(StrToBytes("First portion of text"),"filename",true);
WriteWhole(StrToBytes("Second portion of text"),"filename",true);
byte[] readBytes = ReadWhole("filename");
string deserializedStr = BytesToStr(readBytes); // here deserializeddStr becomes "First portion of text"
 
     
    