我对组织我的项目感到两难。我正在构建一个发送时事通讯的应用程序。我在我的解决方案中将其分为三个项目:Newsletter.UI
(WPF)Newsletter.DAL
和Newsletter.Services
. 其中Newsletter.DAL
有代表由 EF 生成的实体的类在附加文件中增强(它们是部分类)-覆盖ToString()
。其中Newsletter.UI
当然有 WPF 项目供演示。我的问题从Newsletter.Services
.
现在我创建了MailingListService.cs
:
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using Newsletter.DAL;
namespace Newsletter.Services
{
public class MailingListService
{
private NewsletterEntities _context;
public MailingListService()
{
_context = new NewsletterEntities();
}
public List<string> GetAllMailingListsNames()
{
var query = from m in _context.MailingLists select new { m.Name };
List<string> names = new List<string>();
foreach (var m in query)
names.Add(m.Name);
return names;
}
public List<MailingList> GetAllMailingLists()
{
var query = from m in _context.MailingLists select m;
return query.ToList();
}
}
}
MessageService.cs
:
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
using Newsletter.DAL;
using System.Data.Entity;
namespace Newsletter.Services
{
public class MessageService
{
private NewsletterEntities _context;
public MessageService()
{
_context = new NewsletterEntities();
}
public List<Message> GetAllMessages()
{
return (from m in _context.Messages select m).ToList();
}
public static Message GetMessageByID(int id)
{
using (NewsletterEntities context = new NewsletterEntities())
{
Message message = (from m in context.Messages where m.MessageID == id select m).FirstOrDefault();
return message;
}
}
}
}
RecipientService.cs
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using Newsletter.DAL;
namespace Newsletter.Services
{
public class RecipientService
{
private NewsletterEntities _context;
public RecipientService()
{
_context = new NewsletterEntities();
}
public void addRecipient(Recipient newRecipient)
{
_context.Recipients.AddObject(newRecipient);
}
}
}
然而,这会产生问题。当我打开一个创建收件人的窗口时,我创建了一个MailingListService
实例来加载邮件列表的名称。然后,当我尝试创建一个新的Recipient
时,我创建一个RecipientService
实例并尝试添加一个收件人。我收到一个错误,我无法在不同的地方使用上下文。
如何解决这个问题?我的方法不好吗?它应该是什么(服务中应该有什么)?我不想在将来陷入这样的错误。我现在不想学习 MVVM 方法,我需要或多或少地按照我的方式来做这件事。