Search code examples
c#sqldatareaderwritetofile

How to efficiently write to file from SQL datareader in c#?


I have a remote sql connection in C# that needs to execute a query and save its results to the users's local hard disk. There is a fairly large amount of data this thing can return, so need to think of an efficient way of storing it. I've read before that first putting the whole result into memory and then writing it is not a good idea, so if someone could help, would be great!

I am currently storing the sql result data into a DataTable, although I am thinking it could be better doing something in while(myReader.Read(){...} Below is the code that gets the results:

          DataTable t = new DataTable();
            string myQuery = QueryLoader.ReadQueryFromFileWithBdateEdate(@"Resources\qrs\qryssysblo.q", newdate, newdate);
            using (SqlDataAdapter a = new SqlDataAdapter(myQuery, sqlconn.myConnection))
            {
                a.Fill(t);
            }

            var result = string.Empty;
    for(int i = 0; i < t.Rows.Count; i++)
    {
        for (int j = 0; j < t.Columns.Count; j++)
        {
            result += t.Rows[i][j] + ",";
        }


        result += "\r\n";
    }

So now I have this huge result string. And I have the datatable. There has to be a much better way of doing it?

Thanks.


Solution

  • You are on the right track yourself. Use a loop with while(myReader.Read(){...} and write each record to the text file inside the loop. The .NET framework and operating system will take care of flushing the buffers to disk in an efficient way.

    using(SqlConnection conn = new SqlConnection(connectionString))
    using(SqlCommand cmd = conn.CreateCommand())
    {
      conn.Open();
      cmd.CommandText = QueryLoader.ReadQueryFromFileWithBdateEdate(
        @"Resources\qrs\qryssysblo.q", newdate, newdate);
    
      using(SqlDataReader reader = cmd.ExecuteReader())
      using(StreamWriter writer = new StreamWriter("c:\temp\file.txt"))
      {
        while(reader.Read())
        {
          // Using Name and Phone as example columns.
          writer.WriteLine("Name: {0}, Phone : {1}", 
            reader["Name"], reader["Phone"]);
        }
      }
    }