我目前正在开发一个C#程序,它从Excel文件读取测量数据,将它们解析为对象,并提供将它们插入数据库的可能性(我正在使用NHibernate进行此操作。)
该程序将具有GUI实现。有多种形式的测量数据。 (例如,来自电机的数据或来自配电盘的数据)。问题是,无论测量数据是什么,我都只想定义一个Form类(GUI窗口)。
我有两个解析器,MotorParser和SwitchboardParser,它们都有一个名为 IList ParseDataTableToList(DataTable dataTable,DBConnectionWrapper dBCon)的方法,其中T是Motor对象或Switchboard对象。所以,我的想法是创建一个带泛型的接口,这将由这两个类实现:
public interface IParser<T>
{
IList<T> ParseDataTableToList(DataTable dataTable, DBConnectionWrapper dBCon);
}
另一方面,我确实有数据库存储库,它实现了一个方法 void InsertOrUpdate(T list),其中T再次是Motor或Switchboard对象。我还为此实现了一个接口:
public interface IInsertOrUpdateList<T>
{
void InsertOrUpdate(IList<T> list);
}
好的,现在的想法是转发特定的IInsertOrUpdateList对象(MotorRepository或SwitchboardRepository)和IParser(MotorParser或SwitchboardParser)。前面提到的Form类(我称之为 ImportView )应该只适用于那些接口。问题是,我不知道在使用泛型时这是否可行或是如何实现的。
这是关于我如何考虑实现的无效语法:
public partial class ImportView : Form
{
private IParser parser;
private IInsertOrUpdateList repository;
private dataToParse;
public ImportView(DataTable dataToParse, IParser parser, IInsertOrUpdateList repository)
{
this.parser = parser;
this.repository = repository;
this.dataToParse = dataToParse;
}
public void ParseAndInsertIntoDB()
{
repository.InsertOrUpdateList(parser.ParseDataTableToList(dataToParse, null));
}
}
当我实例化这个窗口时,我会提供确定这是否是Motor或Switchboard对象的测量数据的对象:
ImportView = new ImportView(dataToParse, new MotorParser(), new MotorRepository());
或
ImportView = new ImportView(dataToParse, new SwitchboardParser(), new SwitchboardRepository());
我是否有办法用泛型来实现这个问题,或者我的方法是完全错误的?我愿意接受任何想法。
答案 0 :(得分:1)
可以通过泛型来实现这一点:
首先,您要为解析器和存储库创建Generic类:
public class Parser<T> : IParser<T>
{
IList<T> ParseDataTableToList(DataTable dataTable, object o)
{
var list = new List<T>();
//Your parsing logic can go:
//1) Here(using reflection, for example) or
//2) in the constructor for Motor/Switchboard object,
//in witch case they will take a reader or row object
return list;
}
}
public class Repo<T> : IInsertOrUpdateList<T>
{
void InsertOrUpdate(IList<T> list)
{
//...
}
}
然后,您的Generic窗口类看起来像这样:
public partial class ImportView<T> : Form
{
private IParser<T> parser;
private IInsertOrUpdateList<T> repository;
private DataTable dataToParse;
public ImportView(DataTable dataToParse)
{
this.parser = new Parser<T>();
this.repository = new Repo<T>();
this.dataToParse = dataToParse;
}
public void ParseAndInsertIntoDB()
{
repository.InsertOrUpdate(parser.ParseDataTableToList(dataToParse, null));
}
}
你实例化它:
var ImportView = new ImportView<Motor>(YourDataTable)