我有一个复杂的结构,需要使用从数据库中读取的数据来构建,而且我需要知道将数据库访问逻辑放在哪里。
我了解了存储库设计模式,但是我的数据库操作不是简单的CRUD,而且它们不只是返回简单的值。
我正在连接到PostgreSQL,并调用通常以一组游标的形式返回数据的函数。
这是我的代码中非常简化的部分...我省略了一些细节
class Topic
{
public string TopicLabel { get; set; }
public int TopicCode { get; set; }
List<Topic> parentTopics;
public Topic(int topicCode , string topicLabel)
{
...
}
}
class InitialTopic
{
Topic initialTopic;
public int TopicCode { get { return initialTopic.TopicCode; } }
Dictionary<int, float> similarityValues;
public InitialTopic( Topic topic)
{
initialTopic = topic;
similarityValues = new Dictionary<int, float>();
}
}
class TopicsDictionary
{
Dictionary<int, Topic> topics;
public TopicsDictionary()
{
topics = new Dictionary<int, Topic>();
}
public Topic this[int topicCode]
{
get
{
Topic t = null;
if (topics.ContainsKey(topicCode))
{
t = topics[topicCode];
}
else
{
t = new Topic(topicCode);
topics.Add(topicCode, t);
}
return t;
}
}
}
.
.
.
public static void GetData(InitialTopic initialTopic)
{
using (var conn = new NpgsqlConnection(connString))
{
conn.Open();
NpgsqlTransaction tran = conn.BeginTransaction();
NpgsqlCommand command = new NpgsqlCommand("public.\"GetStuff\"", conn);
.
.
string cursor1, cursor2;
using (var dr = command.ExecuteReader())
{
dr.Read();
cursor1 = dr[0].ToString();
dr.Read();
cursor2 = dr[0].ToString();
}
using (var resultSet1 = new NpgsqlCommand())
{
resultSet1.CommandText = $@"FETCH ALL FROM ""{cursor1}""";
resultSet1.Connection = conn;
using (var reader = resultSet1.ExecuteReader())
{
// here read values, create Topic objects,
// add them to TopicsDictionary and link them using parentTopics list
// to reflect parent-child relation
}
}
using (var resultSet2 = new NpgsqlCommand())
{
resultSet2.CommandText = $@"FETCH ALL FROM ""{cursor2}""";
resultSet2.Connection = conn;
using (var reader = resultSet2.ExecuteReader())
{
// here read values and fill similarityValues
// dictionary in InitialTopic object
}
}
tran.Commit();
conn.Close();
}
}
我应该将数据库操作与对象(主题对象及其成员列表和字典)的实际构建分开吗?我应该怎么做?有适合这种情况的设计模式吗?
答案 0 :(得分:0)
我应该将数据库操作与对象(主题对象及其成员列表和词典)的实际构建分开吗?
绝对可以。 using (var reader =
中的两个代码块非常复杂,以至于(1)您的GetData
方法看起来很丑陋,(2)您想对这些代码进行单元测试,(3)您想重用这些代码切换到另一个数据库系统(例如MySQL)时输入代码。
我该怎么做?有适合这种情况的设计模式吗?
只需将两个代码块从GetData
方法中提取到其他地方。由于您的InitialTopic
类非常干净,因此您可以移至此处。但这取决于你。
现在唯一的挑战是InitialTopic
类如何从两个读取器接收数据。当然,我们会将读者带到initialTopic
对象。但是我们不应该让InitialTopic
类依赖于数据库类(您的读者的类型)。
通常为了解决这个问题,我们应用了依赖倒置原理。引入了一个新界面,用于抽象读者的操作:
interface MyReader {
// hasNext() and next() methods, right?
}
我们将让InitialTopic
类依赖于MyReader
接口。
现在,我们编写一个适配器来适应Npgsql读取器(using (var reader =
中的读取器):
class MyNpgsqlReader : MyReader {
// use Dependency Injection to inject the Npgsql reader
}
最后,GetData
方法中的两个代码块变为:
using (var reader = resultSet1.ExecuteReader()) {
initialTopic.method1(new MyNpgsqlReader(reader));
}
...
using (var reader = resultSet2.ExecuteReader()) {
initialTopic.method2(new MyNpgsqlReader(reader));
}