0

有一个数据集 Ds1 和数据集 Ds2 ,DS1 有 Product_ID,产品信息,ds2 有 Product_ID,product_type。

对于匹配的 product_id,我想将 Product_tye 列从 ds2 添加到 ds1 。

注意:product_id不是ds 1中的主键,结果集中有很多product_id相同的产品。在 ds 2 中,product_id 是唯一的。此外,这些数据表来自不同服务器上的两个不同数据库并且具有不同的凭据,因此不能使用 sql 连接。

我尝试使用 linq 来实现这一点,但没有得到所需的输出,如果我遗漏了什么,请纠正我。

DataTable dt1 = new DataTable();
DataTable dt2 = new DataTable();
//After both the datatble has values, using linq to add datatble columsn, 

DataTable result = (from t1 in dt1.AsEnumerable()
                            join t2 in dt2.AsEnumerable() on t1.Field<string>("productID") equals t2.Field<string>("productID")
                            select t1).CopyToDataTable();
4

2 回答 2

0

我刚刚为您创建了一个简单的示例,您需要做的是使用您自己的代码从我的代码中更改列名:

        DataTable table1 = new DataTable();
        DataTable table2 = new DataTable();
        table1.Columns.Add("id", typeof(int));
        table1.Columns.Add("name", typeof(string));
        table2.Columns.Add("id", typeof(int));
        table2.Columns.Add("age", typeof(int));

        table1.Rows.Add(1, "mitja");
        table1.Rows.Add(2, "sandra");
        table1.Rows.Add(3, "nataška");

        table2.Rows.Add(1, 31);
        table2.Rows.Add(3, 24);
        table2.Rows.Add(4, 46);

        DataTable targetTable = table1.Clone();
        //create new column
        targetTable.Columns.Add("age");

        var results = from t1 in table1.AsEnumerable()
                      join t2 in table2.AsEnumerable() on t1.Field<int>("id") equals t2.Field<int>("id")
                      select new
                      {
                          ID = (int)t1["id"],
                          NAME = (string)t1["name"],
                          AGE = (int)t2["age"]
                      };

        foreach (var item in results)
            targetTable.Rows.Add(item.ID, item.NAME, item.AGE);

无论如何都要小心定义变量的类型(int,string,...)!!!希望能帮助到你。

于 2012-04-25T18:35:26.043 回答
0

选择两个表

DataTable result = (from t1 in dt1.AsEnumerable()
                        join t2 in dt2.AsEnumerable() on t1.Field<string>("productID")  
                                     equals t2.Field<string>("productID")
                        select new {t1,t2}
                    ).CopyToDataTable();

或选择选定的列

DataTable result = (from t1 in dt1.AsEnumerable()
                        join t2 in dt2.AsEnumerable() on t1.Field<string>("productID") 
                                      equals t2.Field<string>("productID")
                        select new {
                         productId = t1.productID, 
                         col2 = t1.col2,...,
                         productType = t2.pruductType
                    ).CopyToDataTable();

注意:我认为 productID 类型应该是inttype 所以string在这种情况下用 int替换

于 2012-04-25T18:35:29.677 回答