我正在努力找出使用linq to sql(C#)显示来自两个不相关表的组合结果的最佳方法。这些表是EmailAlerts和TextAlerts,每个都有UserName,Type和Status(加上其他列不同,但这个查询只需要这三个)。出于报告目的,我需要获取系统中具有活动警报的用户的快照。
示例表:
EmailAlerts
UserName Type Status
Alice 1 0
Alice 1 0
Alice 1 1
Alice 2 0
Alice 2 1
Alice 2 1
Bob 1 1
Bob 2 1
Mallory 1 1
Mallory 2 1
TextAlerts
UserName Type Status
Alice 1 1
Alice 2 0
Alice 2 1
Bob 1 0
Mallory 1 1
Mallory 2 1
这将放在一个csv文件中,示例表的最终结果应如下所示:
Username, ActiveType1Email, ActiveType2Email, ActiveType1Text, ActiveType2Text
Alice, Yes, Yes, No, Yes
Bob, No, No, Yes, No
因此,对于每个唯一身份用户,请确定他们是否具有任何类型的活动(状态= 0)电子邮件或文本警报。他们可以为这两种类型提供多个警报。用户存储在Sitecore中,因此没有用户表。
目前我首先获得所有唯一的用户名,然后循环遍历每个用户名,以找出他们拥有的警报。它有效,但它非常可怕,所以我想找到一个更好的解决方案。是否可以在一个查询中完成所有操作?存储过程是否是更好的方法?如果有人能指出我正确的方向,我可以尝试自己弄清楚代码,我只是不确定解决它的最佳方法。
更新:这是当前(丑陋的)代码:
public static List<Dictionary<string, string>> GetUserAlertsForCSV()
{
List<Dictionary<string, string>> alerts = new List<Dictionary<string, string>>();
var usernames = ((from e in db.EmailAlerts select e.UserName).Union
(from t in db.TextAlerts select t.UserName)).Distinct();
foreach (var username in usernames)
{
Dictionary<string, string> d = new Dictionary<string, string>();
d.Add("username", username);
bool hasActiveAlert = false;
var activeType1Email = (from e in db.EmailAlerts
join a in db.AlertStatusCodes on e.Status equals a.StatusCode
where e.UserName == username
&& e.Type == (int)AlertType.Type1
&& a.Description == "active"
select e).FirstOrDefault();
if (activeType1Email != null)
{
d.Add("type1email", "Yes");
hasActiveAlert = true;
}
else
{
d.Add("type1email", "No");
}
// repeat the above for activeType1Text, activeType2Email and activeType2Text
if (hasActiveAlert)
{
alerts.Add(d);
}
}
return alerts;
}
谢谢,
Annelie
答案 0 :(得分:2)
试试这个,如果有的话可能会给你一个想法。我的想法背后是使用相关子查询新的匿名类型来存储您需要的所有信息。 看看:
var usernames = ((from e in db.EmailAlerts select e.UserName).Union
(from t in db.TextAlerts select t.UserName)).Distinct();
var result =
from u in usernames
select new
{
Username = u.Username,
ActiveType1Email = (from e in db.EmailAlerts
where e.UserName == u
&& e.Type == (int)AlertType.Type1
&& a.Description == "active"
select e).FirstOrDefault();
/*
... and so on repeat for activeType1Text, activeType2Email and activeType2Text
*/
}
// and then go trough the result set which is IEnumarable<T> and use it for what you need
foreach(var a in result)
{
var something = a.ActiveType1Email;
/* etc. */
}
这对你有什么帮助吗?