Как реализовать IDataReader?
У меня есть XML, похожий на это:
<resultset>
<datarow>
<datacol>Row 1 - Col 1</datacol>
<datacol>Row 1 - Col 2</datacol>
<datacol>Row 1 - Col 3</datacol>
...
</datarow>
...
</resultset>
...
У меня вопрос, как я могу реализовать интерфейс IDataReader с этим XML? Я потерялся...
Я разработал это:
public sealed class SybaseDataReader : IDataReader
{
private DataSet _dataSet = new DataSet();
#region IDataReader methods implementation
// ...
}
Я на правильном пути?
Спасибо за конструктивные и хорошо объясненные посты.
3 ответа
Нелогично иметь DataSet в качестве члена System.Data.IDataReader.
Лучше думать с точки зрения XmlDocumnet, XDocument или XmlReader.
Я написал простую реализацию для чтения файлов. Вы можете легко адаптировать это для чтения XML-файла:
public class MyFileDataReader : IDataReader
{
protected StreamReader Stream { get; set; }
protected object[] Values;
protected bool Eof { get; set; }
protected string CurrentRecord { get; set; }
protected int CurrentIndex { get; set; }
public MyFileDataReader(string fileName)
{
Stream = new StreamReader(fileName);
Values = new object[this.FieldCount];
}
Помните, что в IDataReader есть несколько методов, которые вам не нужно реализовывать в зависимости от вашего сценария. Но, вероятно, есть некоторые реализации методов, которых вы не сможете избежать:
public void Close()
{
Array.Clear(Values, 0, Values.Length);
Stream.Close();
Stream.Dispose();
}
public int Depth
{
get { return 0; }
}
public DataTable GetSchemaTable()
{
// avoid to implement several methods if your scenario do not demand it
throw new NotImplementedException();
}
public bool IsClosed
{
get { return Eof; }
}
public bool NextResult()
{
return false;
}
public bool Read()
{
CurrentRecord = Stream.ReadLine();
Eof = CurrentRecord == null;
if (!Eof)
{
Fill(Values);
CurrentIndex++;
}
return !Eof;
}
private void Fill(object[] values)
{
//To simplify the implementation, lets assume here that the table have just 3
//columns: the primary key, and 2 string columns. And the file is fixed column formatted
//and have 2 columns: the first with width 12 and the second with width 40. Said that, we can do as follows
values[0] = null;
values[1] = CurrentRecord.Substring(0, 12).Trim();
values[2] = CurrentRecord.Substring(12, 40).Trim();
// by default, the first position of the array hold the value that will be
// inserted at the first column of the table, and so on
// lets assume here that the primary key is auto-generated
// if the file is xml we could parse the nodes instead of Substring operations
}
public int RecordsAffected
{
get { return -1; }
}
Чтобы реализовать IDataReader, также обязательно реализовать интерфейсы IDisposable и IDataRecord.
IDisposable легко, но IDataRecord может быть болезненным. Опять же, в этом сценарии есть некоторые реализации методов, которых мы не можем избежать:
public int FieldCount
{
get { return 3;//assuming the table has 3 columns }
}
public IDataReader GetData(int i)
{
if (i == 0)
return this;
return null;
}
public string GetDataTypeName(int i)
{
return "String";
}
public string GetName(int i)
{
return Values[i].ToString();
}
public string GetString(int i)
{
return Values[i].ToString();
}
public object GetValue(int i)
{
return Values[i];
}
public int GetValues(object[] values)
{
Fill(values);
Array.Copy(values, Values, this.FieldCount);
return this.FieldCount;
}
public object this[int i]
{
get { return Values[i]; }
}
Надеюсь, поможет.
Это может помочь...
//1. Create dataset
var ds = new DataSet("A Dataset");
var table = ds.Tables.Add("A Table");
table.Columns.Add("Id", typeof(int));
table.Columns.Add("Description", typeof(string));
//2. Serialize as xml
ds.WriteXml(@"C:\temp\dataset.xml");
//3. Go look at the xml file's contents.
//Your xml needs to be translated into this schema.
//You will have to write this. (Boring transform work...)
//Dataset deserialization does not work with arbitrary xml documuents.
//4. Loading the xml file
var ds2 = new DataSet();
ds2.ReadXml(@"C:\temp\dataset.xml");
//Suggestion. Investigate using LINQ-to-xml. It would be easier to
//read the data from your xml schema. You could also load the Dataset tables row by row
//using this type of approach
//1. Load xml data into an XElement.
var element = XElement.Parse(@"<resultset>
<datarow>
<datacol>Row 1 - Col 1</datacol>
<datacol>Row 1 - Col 2</datacol>
<datacol>Row 1 - Col 3</datacol>
</datarow>
</resultset>
");
//2. Create a dataset
ds = new DataSet("A Dataset");
table = ds.Tables.Add("A Table");
table.Columns.Add("Col1", typeof(string));
table.Columns.Add("Col2", typeof(string));
table.Columns.Add("Col3", typeof(string));
//3. Walk XElements and add rows to tables
foreach (var row in element.Elements("datarow"))
{
var r = table.NewRow();
table.Rows.Add(r);
int i = 0;
foreach (var columnValue in row.Elements("datacol"))
{
r[i++] = columnValue.Value;
}
}