Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Stream was not readable error

I am getting the message "Stream was not readable" on the statement:

using (StreamReader sr = new StreamReader(ms))

I have tried the tips posted here without success. Thanks for the help.

This is my code:

XmlSerializer xmlSerializer = new XmlSerializer(typeof(Conflict));
//Serialize Conflicts array to memorystream as XML
using (MemoryStream ms = new MemoryStream())
{
    using (StreamWriter sw = new StreamWriter(ms))
    {
        foreach (Conflict ct in Conflicts)      
            xmlSerializer.Serialize(sw, ct);

        sw.Flush(); //Site tip
        ms.Position = 0;  //Site tip
    }
    //Retrieve memory stream to string
    using (StreamReader sr = new StreamReader(ms))
    {
        string conflictXml = String.Format(CultureInfo.InvariantCulture, "{0}</NewDataSet>",
like image 598
Arnold Krohn Avatar asked Mar 22 '11 20:03

Arnold Krohn


2 Answers

When this block of code completes, it will also dispose the attached MemoryStream

using (StreamWriter sw = new StreamWriter(ms))
{
    foreach (Conflict ct in Conflicts)
        xmlSerializer.Serialize(sw, ct);
    sw.Flush(); //Site tip
    ms.Position = 0;  //Site tip
}

Remove the using statement, and dispose the stream manually after you are done with it

StreamWriter sw = new StreamWriter(ms);

foreach (Conflict ct in Conflicts)
    xmlSerializer.Serialize(sw, ct);
sw.Flush(); //Site tip
ms.Position = 0;  //Site tip

// other code that uses MemoryStream here...

sw.Dispose();
like image 170
Charlie Brown Avatar answered Nov 02 '22 19:11

Charlie Brown


Try this instead (assuming Conflicts is of type List<Conflict>):

XmlSerializer xmlSerializer = new XmlSerializer(typeof(List<Conflict>));
StringWriter sw = new StringWriter();
xmlSerializer.Serialize(sw, Conflicts);
string conflictXml = sw.GetStringBuilder().ToString();
like image 2
BrokenGlass Avatar answered Nov 02 '22 17:11

BrokenGlass