XCSV.cs 2.9 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110
  1. using System;
  2. using System.Collections.Generic;
  3. using System.IO;
  4. using System.Text;
  5. using System.Xml;
  6. namespace CommonLang.XCSV
  7. {
  8. public struct XCSVMeta
  9. {
  10. public XmlDocument Doc;
  11. public FileInfo XlsFile;
  12. }
  13. public class WorkBook
  14. {
  15. public Sheet[] Sheets
  16. {
  17. get;
  18. private set;
  19. }
  20. public string Name
  21. {
  22. get;
  23. private set;
  24. }
  25. public static WorkBook LoadFromXML(XmlDocument doc)
  26. {
  27. WorkBook ret = new WorkBook();
  28. XmlElement xml = doc.DocumentElement;
  29. List<Sheet> sheets = new List<Sheet>(xml.ChildNodes.Count);
  30. foreach (XmlElement xsheet in xml.ChildNodes)
  31. {
  32. List<Row> rows = new List<Row>(xsheet.ChildNodes.Count);
  33. Sheet sheet = new Sheet(ret, xsheet.GetAttribute("name"), rows);
  34. foreach (XmlElement xrow in xsheet.ChildNodes)
  35. {
  36. List<Cell> cells = new List<Cell>(xrow.ChildNodes.Count);
  37. Row row = new Row(sheet, int.Parse(xrow.GetAttribute("r")), cells);
  38. foreach (XmlElement xcell in xrow.ChildNodes)
  39. {
  40. cells.Add(new Cell(
  41. sheet,
  42. int.Parse(xcell.GetAttribute("r")),
  43. int.Parse(xcell.GetAttribute("c")),
  44. xcell.InnerText));
  45. }
  46. rows.Add(row);
  47. }
  48. sheets.Add(sheet);
  49. }
  50. ret.Sheets = sheets.ToArray();
  51. ret.Name = xml.GetAttribute("name");
  52. return ret;
  53. }
  54. }
  55. public class Sheet
  56. {
  57. public readonly WorkBook OwnWorkBook;
  58. public readonly string Name;
  59. public readonly List<Row> Rows;
  60. internal Sheet(WorkBook ownWB, string name, List<Row> rows)
  61. {
  62. this.OwnWorkBook = ownWB;
  63. this.Name = name;
  64. this.Rows = rows;
  65. }
  66. }
  67. public class Row
  68. {
  69. public readonly Sheet OwnSheet;
  70. public readonly int RowIndex;
  71. public readonly List<Cell> Cells;
  72. internal Row(Sheet ownSheet, int r, List<Cell> cells)
  73. {
  74. this.OwnSheet = ownSheet;
  75. this.RowIndex = r;
  76. this.Cells = cells;
  77. }
  78. }
  79. public class Cell
  80. {
  81. public readonly Sheet OwnSheet;
  82. public readonly int RowIndex;
  83. public readonly int ColumnIndex;
  84. public readonly string Text;
  85. internal Cell(Sheet ownSheet, int r, int c, string text)
  86. {
  87. this.OwnSheet = ownSheet;
  88. this.RowIndex = r;
  89. this.ColumnIndex = c;
  90. this.Text = text;
  91. }
  92. public override string ToString()
  93. {
  94. return Text;
  95. }
  96. }
  97. }