2009-07-09 63 views
20

Estoy usando Visual Studio 2005 y tengo una DataTable con dos columnas y algunas filas que quiero mostrar en la consola. Tenía la esperanza de que sería algo así como:Cómo convertir una DataTable en una cadena en C#?

DataTable results = MyMethod.GetResults(); 
Console.WriteLine (results.ToString()); 

¿Cuál es la mejor manera (es decir, menor cantidad de codificación de mí) para convertir un DataTable simple de una cadena?

+0

Lo siento por la vaguedad. Lo que quiero es los encabezados de las columnas y todos los datos que se envían a la consola en formato tabular. Pensé que tal vez la mejor manera sería convertir primero a cadena? Me sorprende que Microsoft no haya suministrado una función para hacer esto (o tal vez simplemente no lo he encontrado). –

+2

Posesión remota, pero si va a utilizar esto para la depuración, vale la pena mencionar que hay un buen visualizador DataSet/DataTable en Visual Studio. Establezca un punto de interrupción y haga clic en la lupa en su variable de tabla de datos. – Oskar

Respuesta

6

Se podría utilizar algo como this:

Private Sub PrintTableOrView(ByVal table As DataTable, ByVal label As String) 
    Dim sw As System.IO.StringWriter 
    Dim output As String 

    Console.WriteLine(label) 

    ' Loop through each row in the table. ' 
    For Each row As DataRow In table.Rows 
     sw = New System.IO.StringWriter 
     ' Loop through each column. ' 
     For Each col As DataColumn In table.Columns 
      ' Output the value of each column's data. 
      sw.Write(row(col).ToString() & ", ") 
     Next 
     output = sw.ToString 
     ' Trim off the trailing ", ", so the output looks correct. ' 
     If output.Length > 2 Then 
      output = output.Substring(0, output.Length - 2) 
     End If 
     ' Display the row in the console window. ' 
     Console.WriteLine(output) 
    Next 
    Console.WriteLine() 
End Sub 
+10

Por cierto, la pregunta está etiquetada C#;) –

+0

row (col) .ToString() - ¿podría obtener ReferenceNullException aquí? –

+0

Eso es Visual Basic, la pregunta se hizo en C#. –

0

muy vaga ....

Identificación del tapón en un conjunto de datos simplemente para que me puede dar salida fácilmente como XML ....

en su defecto por qué no iterar a través de sus colecciones de filas y columnas y darles salida?

2

dos para bucles, uno para filas, otro para columnas, salida dataRow (i) .Value. Tenga cuidado con los valores nulos y DbNulls.

1

O bien, cambiar la aplicación para Windows Forms, uso de la red y se unen a la red DataTable. Si se trata de una aplicación de demostración/muestra.

+0

No entiendo toda la aplicación de la consola. ¿No murió el DOS? – MusiGenesis

+0

Es útil para demostraciones cuando revisas algún concepto o aprendes cosas. –

+0

MusiGenesis: No soy programador (no se puede decir), trabajo como DBA pero quiero escribir algunos programas para ayudarme a administrar mi estado de servidor. No tengo mucho tiempo y mis habilidades en C# son en el mejor de los casos novatos, y una aplicación de consola es más fácil de escribir que una aplicación de winforms. –

14
using(var writer = new StringWriter()) { 
    results.WriteXml(writer); 
    Console.WriteLine(writer.ToString()); 
} 

Por supuesto, la utilidad de esto depende de la importancia del formato. Si solo se trata de un volcado de depuración, encuentro que las salidas XML como esta son muy legibles. Sin embargo, si el formato es importante para usted, entonces no tiene más remedio que escribir su propio método para hacerlo.

+2

+1 Este método me parece mucho mejor que escribir su propia lógica de formateo –

3

Yo instalaría PowerShell. Comprende los objetos .NET y tiene un Format-Table y Export-Csv que haría exactly lo que estás buscando. Si haces algún tipo de trabajo en la consola, es un gran complemento/reemplazo para las aplicaciones de la consola C#.

Cuando comencé a usarlo, reescribí las aplicaciones de mi consola como bibliotecas e importé las bibliotecas a Powershell. Los comandos integrados hacen que la consola funcione tan bien.

1
/// <summary> 
    /// Dumps the passed DataSet obj for debugging as list of html tables 
    /// </summary> 
    /// <param name="msg"> the msg attached </param> 
    /// <param name="ds"> the DataSet object passed for Dumping </param> 
    /// <returns> the nice looking dump of the DataSet obj in html format</returns> 
    public static string DumpHtmlDs(string msg, ref System.Data.DataSet ds) 
    { 
     StringBuilder objStringBuilder = new StringBuilder(); 
     objStringBuilder.AppendLine("<html><body>"); 

     if (ds == null) 
     { 
      objStringBuilder.AppendLine("Null dataset passed "); 
      objStringBuilder.AppendLine("</html></body>"); 
      WriteIf(objStringBuilder.ToString()); 
      return objStringBuilder.ToString(); 
     } 

     objStringBuilder.AppendLine("<p>" + msg + " START </p>"); 
     if (ds != null) 
     { 
      if (ds.Tables == null) 
      { 
       objStringBuilder.AppendLine("ds.Tables == null "); 
       return objStringBuilder.ToString(); 
      } 


      foreach (System.Data.DataTable dt in ds.Tables) 
      { 

       if (dt == null) 
       { 
        objStringBuilder.AppendLine("ds.Tables == null "); 
        continue; 
       } 
       objStringBuilder.AppendLine("<table>"); 

       //objStringBuilder.AppendLine("================= My TableName is " + 
       //dt.TableName + " ========================= START"); 
       int colNumberInRow = 0; 
       objStringBuilder.Append("<tr><th>row number</th>"); 
       foreach (System.Data.DataColumn dc in dt.Columns) 
       { 
        if (dc == null) 
        { 
         objStringBuilder.AppendLine("DataColumn is null "); 
         continue; 
        } 


        objStringBuilder.Append(" <th> |" + colNumberInRow.ToString() + " | "); 
        objStringBuilder.Append( dc.ColumnName.ToString() + " </th> "); 
        colNumberInRow++; 
       } //eof foreach (DataColumn dc in dt.Columns) 
       objStringBuilder.Append("</tr>"); 

       int rowNum = 0; 
       foreach (System.Data.DataRow dr in dt.Rows) 
       { 
        objStringBuilder.Append("<tr><td> row - | " + rowNum.ToString() + " | </td>"); 
        int colNumber = 0; 
        foreach (System.Data.DataColumn dc in dt.Columns) 
        { 
         objStringBuilder.Append(" <td> |" + colNumber + "|"); 
         objStringBuilder.Append(dr[dc].ToString() + " </td>"); 
         colNumber++; 
        } //eof foreach (DataColumn dc in dt.Columns) 
        rowNum++; 
        objStringBuilder.AppendLine(" </tr>"); 
       } //eof foreach (DataRow dr in dt.Rows) 

       objStringBuilder.AppendLine("</table>"); 
       objStringBuilder.AppendLine("<p>" + msg + " END </p>"); 
      } //eof foreach (DataTable dt in ds.Tables) 

     } //eof if ds !=null 
     else 
     { 

      objStringBuilder.AppendLine("NULL DataSet object passed for debugging !!!"); 
     } 
     return objStringBuilder.ToString(); 

    } 
4

Sé que soy años xD tarde, pero aquí es cómo lo hice

public static string convertDataTableToString(DataTable dataTable) 
    { 
     string data = string.Empty; 
     for (int i = 0; i < dataTable.Rows.Count; i++) 
     { 
      DataRow row = dataTable.Rows[i]; 
      for (int j = 0; j < dataTable.Columns.Count; j++) 
      { 
       data += dataTable.Columns[j].ColumnName + "~" + row[j]; 
       if (j == dataTable.Columns.Count - 1) 
       { 
        if (i != (dataTable.Rows.Count - 1)) 
         data += "$"; 
       } 
       else 
        data += "|"; 
      } 
     } 
     return data; 
    } 

Si alguien alguna vez optimiza esto, por favor hágamelo saber

He intentado esto:

public static string convertDataTableToString(DataTable dataTable) 
    { 
     string data = string.Empty; 
     int rowsCount = dataTable.Rows.Count; 
     for (int i = 0; i < rowsCount; i++) 
     { 
      DataRow row = dataTable.Rows[i]; 
      int columnsCount = dataTable.Columns.Count; 
      for (int j = 0; j < columnsCount; j++) 
      { 
       data += dataTable.Columns[j].ColumnName + "~" + row[j]; 
       if (j == columnsCount - 1) 
       { 
        if (i != (rowsCount - 1)) 
         data += "$"; 
       } 
       else 
        data += "|"; 
      } 
     } 
     return data; 
    } 

pero this answer dice que es peor

+0

¿Puede indicarnos cómo convertir esta cadena de nuevo en tabla de datos? –

+0

Lo siento pero dejé de usar .NET hace años –

24

tarde, pero esto es lo que yo uso

public static string ConvertDataTableToString(DataTable dataTable) 
    { 
     var output = new StringBuilder(); 

     var columnsWidths = new int[dataTable.Columns.Count]; 

     // Get column widths 
     foreach (DataRow row in dataTable.Rows) 
     { 
      for(int i = 0; i < dataTable.Columns.Count; i++) 
      { 
       var length = row[i].ToString().Length; 
       if (columnsWidths[i] < length) 
        columnsWidths[i] = length; 
      }  
     } 

     // Get Column Titles 
     for (int i = 0; i < dataTable.Columns.Count; i++) 
     { 
      var length = dataTable.Columns[i].ColumnName.Length; 
       if (columnsWidths[i] < length) 
        columnsWidths[i] = length; 
     } 

     // Write Column titles 
     for (int i = 0; i < dataTable.Columns.Count; i++) 
     { 
      var text = dataTable.Columns[i].ColumnName; 
      output.Append("|" + PadCenter(text, columnsWidths[i] + 2)); 
     } 
     output.Append("|\n" + new string('=', output.Length) + "\n"); 

     // Write Rows 
     foreach (DataRow row in dataTable.Rows) 
     { 
      for (int i = 0; i < dataTable.Columns.Count; i++) 
      { 
       var text = row[i].ToString(); 
       output.Append("|" + PadCenter(text,columnsWidths[i] + 2)); 
      } 
      output.Append("|\n"); 
     } 
     return output.ToString(); 
    } 

    private static string PadCenter(string text, int maxLength) 
    { 
     int diff = maxLength - text.Length; 
     return new string(' ', diff/2) + text + new string(' ', (int) (diff/2.0 + 0.5)); 

    } 
+1

gracias, encontré esto muy útil y me ahorró un montón de tiempo. ¡aclamaciones! – SheldonH

+0

¡gracias! buen trabajo – Lester

+0

Esto puede ser obvio, pero en mi caso, tengo que mostrar el DataTable en un formulario de Windows, por lo que me parece útil establecer su fuente en un monoespaciado, como Consolas o Courier. – Alicia

0
public static string DataTable2String(DataTable dataTable) 
{ 
    StringBuilder sb = new StringBuilder(); 
    if (dataTable != null) 
    { 
     string seperator = " | "; 

     #region get min length for columns 
     Hashtable hash = new Hashtable(); 
     foreach (DataColumn col in dataTable.Columns) 
      hash[col.ColumnName] = col.ColumnName.Length; 
     foreach (DataRow row in dataTable.Rows) 
      for (int i = 0; i < row.ItemArray.Length; i++) 
       if (row[i] != null) 
        if (((string)row[i]).Length > (int)hash[dataTable.Columns[i].ColumnName]) 
         hash[dataTable.Columns[i].ColumnName] = ((string)row[i]).Length; 
     int rowLength = (hash.Values.Count + 1) * seperator.Length; 
     foreach (object o in hash.Values) 
      rowLength += (int)o; 
     #endregion get min length for columns 

     sb.Append(new string('=', (rowLength - " DataTable ".Length)/2)); 
     sb.Append(" DataTable "); 
     sb.AppendLine(new string('=', (rowLength - " DataTable ".Length)/2)); 
     if (!string.IsNullOrEmpty(dataTable.TableName)) 
      sb.AppendLine(String.Format("{0,-" + rowLength + "}", String.Format("{0," + ((rowLength + dataTable.TableName.Length)/2).ToString() + "}", dataTable.TableName))); 

     #region write values 
     foreach (DataColumn col in dataTable.Columns) 
      sb.Append(seperator + String.Format("{0,-" + hash[col.ColumnName] + "}", col.ColumnName)); 
     sb.AppendLine(seperator); 
     sb.AppendLine(new string('-', rowLength)); 
     foreach (DataRow row in dataTable.Rows) 
     { 
      for (int i = 0; i < row.ItemArray.Length; i++) 
      { 
       sb.Append(seperator + String.Format("{0," + hash[dataTable.Columns[i].ColumnName] + "}", row[i])); 
       if (i == row.ItemArray.Length - 1) 
        sb.AppendLine(seperator); 
      } 
     } 
     #endregion write values 

     sb.AppendLine(new string('=', rowLength)); 
    } 
    else 
     sb.AppendLine("================ DataTable is NULL ================"); 

    return sb.ToString(); 
} 

de salida:

======================= DataTable ======================= 
         MyTable       
| COL1 | COL2     | COL3 1000000ng name | 
---------------------------------------------------------- 
| 1 |      2 |     3 | 
| abc | Dienstag, 12. März 2013 |     xyz | 
| Have |     a nice |    day! | 
========================================================== 
0

he creado mi variante de clase para sus necesidades. Creo que es un poco más configurable que las variantes ya provistas. Puede usarlo con todas las configuraciones predeterminadas simplemente cree una instancia de una clase y llame al método StringifyDataTable, o puede establecer opciones adicionales si es necesario.

public class DataTableStringifier 
{ 
    public bool IsOuterBordersPresent { get; set; } //Whether outer borders of table needed 
    public bool IsHeaderHorizontalSeparatorPresent { get; set; } // Whether horizontal line separator between table title and data is needed. Useful to set 'false' if you expect only 1 or 2 rows of data - no need for additional lines then 
    public char ValueSeparator { get; set; } //Vertical line character 
    public char HorizontalLinePadChar { get; set; } // Horizontal line character 
    public char HorizontalLineSeparator { get; set; } // Horizontal border (between header and data) column separator (crossing of horizontal and vertical borders) 
    public int ValueMargin { get; set; } // Horizontal margin from table borders (inner and outer) to cell values 
    public int MaxColumnWidth { get; set; } // To avoid too wide columns with thousands of characters. Longer values will be cropped in the center 
    public string LongValuesEllipses { get; set; } // Cropped values wil be inserted this string in the middle to mark the point of cropping 

    public DataTableStringifier() 
    { 
     MaxColumnWidth = int.MaxValue; 
     IsHeaderHorizontalSeparatorPresent = true; 
     ValueSeparator = '|'; 
     ValueMargin = 1; 
     HorizontalLinePadChar = '-'; 
     HorizontalLineSeparator = '+'; 
     LongValuesEllipses = "..."; 
     IsOuterBordersPresent = false; 
    } 

    public string StringifyDataTable(DataTable table) 
    { 
     int colCount = table.Columns.Count; 
     int rowCount = table.Rows.Count; 
     string[] colHeaders = new string[colCount]; 
     string[,] cells = new string[rowCount, colCount]; 
     int[] colWidth = new int[colCount]; 

     for (int i = 0; i < colCount; i++) 
     { 
      var column = table.Columns[i]; 
      var colName = ValueToLimitedLengthString(column.ColumnName); 
      colHeaders[i] = colName; 
      if (colWidth[i] < colName.Length) 
      { 
       colWidth[i] = colName.Length; 
      } 
     } 

     for (int i = 0; i < rowCount; i++) 
     { 
      DataRow row = table.Rows[i]; 
      for (int j = 0; j < colCount; j++) 
      { 
       var valStr = ValueToLimitedLengthString(row[j]); 
       cells[i, j] = valStr; 
       if (colWidth[j] < valStr.Length) 
       { 
        colWidth[j] = valStr.Length; 
       } 
      } 
     } 

     string valueSeparatorWithMargin = string.Concat(new string(' ', ValueMargin), ValueSeparator, new string(' ', ValueMargin)); 
     string leftBorder = IsOuterBordersPresent ? string.Concat(ValueSeparator, new string(' ', ValueMargin)) : ""; 
     string rightBorder = IsOuterBordersPresent ? string.Concat(new string(' ', ValueMargin), ValueSeparator) : ""; 
     string horizLine = new string(HorizontalLinePadChar, colWidth.Sum() + (colCount - 1)*(ValueMargin*2 + 1) + (IsOuterBordersPresent ? (ValueMargin + 1)*2 : 0)); 

     StringBuilder tableBuilder = new StringBuilder(); 

     if (IsOuterBordersPresent) 
     { 
      tableBuilder.AppendLine(horizLine); 
     } 

     tableBuilder.Append(leftBorder); 
     for (int i = 0; i < colCount; i++) 
     { 
      tableBuilder.Append(colHeaders[i].PadRight(colWidth[i])); 
      if (i < colCount - 1) 
      { 
       tableBuilder.Append(valueSeparatorWithMargin); 
      } 
     } 
     tableBuilder.AppendLine(rightBorder); 

     if (IsHeaderHorizontalSeparatorPresent) 
     { 
      if (IsOuterBordersPresent) 
      { 
       tableBuilder.Append(ValueSeparator); 
       tableBuilder.Append(HorizontalLinePadChar, ValueMargin); 
      } 
      for (int i = 0; i < colCount; i++) 
      { 
       tableBuilder.Append(new string(HorizontalLinePadChar, colWidth[i])); 
       if (i < colCount - 1) 
       { 
        tableBuilder.Append(HorizontalLinePadChar, ValueMargin); 
        tableBuilder.Append(HorizontalLineSeparator); 
        tableBuilder.Append(HorizontalLinePadChar, ValueMargin); 
       } 
      } 
      if (IsOuterBordersPresent) 
      { 
       tableBuilder.Append(HorizontalLinePadChar, ValueMargin); 
       tableBuilder.Append(ValueSeparator); 
      } 
      tableBuilder.AppendLine(); 
     } 

     for (int i = 0; i < rowCount; i++) 
     { 
      tableBuilder.Append(leftBorder); 
      for(int j=0; j<colCount; j++) 
      { 
       tableBuilder.Append(cells[i, j].PadRight(colWidth[j])); 
       if(j<colCount-1) 
       { 
        tableBuilder.Append(valueSeparatorWithMargin); 
       } 
      } 
      tableBuilder.AppendLine(rightBorder); 
     } 

     if (IsOuterBordersPresent) 
     { 
      tableBuilder.AppendLine(horizLine); 
     } 

     return tableBuilder.ToString(0, tableBuilder.Length - 1); //Trim last enter char 
    } 

    private string ValueToLimitedLengthString(object value) 
    { 
     string strValue = value.ToString(); 
     if (strValue.Length > MaxColumnWidth) 
     { 
      int beginningLength = (MaxColumnWidth)/2; 
      int endingLength = (MaxColumnWidth + 1)/2 - LongValuesEllipses.Length; 
      return string.Concat(strValue.Substring(0, beginningLength), LongValuesEllipses, strValue.Substring(strValue.Length - endingLength, endingLength)); 
     } 
     else 
     { 
      return strValue; 
     } 
    } 
} 
22
string res = string.Join(Environment.NewLine, results.Rows.OfType<DataRow>().Select(x => string.Join(" ; ", x.ItemArray))); 
+1

Simple, pero lo suficientemente eficaz para lo que estaba buscando. Gracias. – chrnola

+0

¡Agradable, limpio, preciso! –

+0

Esta debería ser la respuesta – htm11h

Cuestiones relacionadas