我的数据集名为sourceTable
,其中包含source_Id
,title
和programme_Id
列。第二个数据表为credits
,列credit_Id
,programme_Id
。所有列都是Int的类型而不是列标题。
数据表programme_Id
中的列credits
是外键FROM datatable sourceTable
我想要实现的是来自数据表sourceTable
的列credit_Id
的Exceed表credits
。
我编写了一个有效的代码,但是很慢,是否有更好的方法!如果没有我正在寻找的项目,FirstOrDefault会将0设置为0,对于那种情况,可能会更好地返回null值而不是0 / p>
sourceTable.columns.Add("credits_Id");
var rowColl = credits.AsEnumerable();
foreach (DataRow row in sourceTable.Rows)
{
var credits_Id =
(from r in rowColl
where r.Field<int>("programme_Id") == Convert.ToInt32(row["programme_Id"].ToString())
select r.Field<int>("credits_Id")).FirstOrDefault<int>();
row["credits_Id"] = credits_Id;
}
答案 0 :(得分:0)
它运行缓慢,因为您遍历信用表中的所有行,用于源表中的每一行。您可以使用以下linq查询来连接两个表。
(from sourceRow in sourceTable.Rows.OfType<DataRow>()
join creditRow in credits.Rows.OfType<DataRow>()
on sourceRow.Field<int>("programme_Id") equals creditRow.Field<int>("programme_Id")
select new {sourceRow, creditRow})
.ForEach(o => o.sourceRow["credits_id"] = o.creditRow["sourceRow"]);
答案 1 :(得分:0)
以防谷歌将某人带到这里:这是我现在提出的问题的解决方案:)
var q = from c in sourceTable.AsEnumerable()
join o in credits.AsEnumerable() on c.Field<int>("programme_Id") equals o.Field<int>("programme_Id") into outer
from o in outer.DefaultIfEmpty()
select new
{
title=c.Field<string>("title"),
credits_Id = (o==null)?-1:o.Field<int>("credits_Id")
};
var qToList = q.ToList();
现在我们可以将此列表转换为Datatable:
public static DataTable ListToDataTable<T>(List<T> list)
{
DataTable dtToConvert = new DataTable();
try
{
foreach (PropertyInfo info in typeof(T).GetProperties())
{
dtToConvert.Columns.Add(new DataColumn(info.Name, info.PropertyType));
}
foreach (T t in list)
{
DataRow row = dtToConvert.NewRow();
foreach (PropertyInfo info in typeof(T).GetProperties())
{
row[info.Name] = info.GetValue(t, null);
}
dtToConvert.Rows.Add(row);
}
} catch(Exception ex)
{
}
return dtToConvert;
}
干杯!