比较2个表列名称,如果不存在则添加它

时间:2012-11-28 12:07:17

标签: c# datatable compare two-columns

我有一个关于比较2个表的问题。如果表1中的表2中不包含列的名称,请添加包含值的列。所以我用我的代码做了,但不知道为什么它给我的错误,该列已经属于tables1。我在这做错了什么?有没有更好的方法呢?

示例,table1:

Name   LastName
a       aa
b       bb

表2:

Name    Product
s       dd
a       ss

结果:

Name   LastName    Product
a       aa         dd
b       bb         ss      

我的代码:

 for (int i = 0; i < excelTb2.Columns.Count; i++)
                {
                    for (int j = 0; j < Temp.Columns.Count; j++ )
                    {
                        if (Temp.Columns[j].ColumnName.ToString() != excelTb2.Columns[i].ColumnName.ToString())
                        {
                            excelTb2.Columns.Add(Temp.Columns[j].ColumnName.ToString());

                            for (int ok = 0; ok < 2; ok++)
                            {
                                excelTb2.Rows[ok][Temp.Columns[j].ColumnName] = Temp.Rows[ok][j];
                            }

                        }
                    }
                }

2 个答案:

答案 0 :(得分:0)

您可以使用此Merge方法合并两个DataTables的模式并在行索引上连接数据(如果两个表都包含一列,则table1的数据将按要求获取):

public static DataTable MergeOnRowIndex(DataTable table1, DataTable table2)
{
    var data = table1.AsEnumerable()
        .Select((r, i) => new
        {
            Row1 = r,
            Row2 = i >= table2.Rows.Count ? null : table2.Rows[i]
        });
    DataTable table3 = new DataTable();
    foreach (DataColumn col in table1.Columns)
    {
        table3.Columns.Add(col.ColumnName, col.DataType);
    }
    foreach(DataColumn col in table2.Columns)
        if(!table3.Columns.Contains(col.ColumnName))
            table3.Columns.Add(col.ColumnName, col.DataType);

    if(data.Any())
    {
        foreach(var x in data)
        {
            var newRow = table3.Rows.Add();
            for (int i = 0; i < table1.Columns.Count; i++)
            {
                newRow[i] = x.Row1.ItemArray[i];
            }
            if (x.Row2 != null)
            {
                for (int i = table1.Columns.Count; i < table3.Columns.Count; i++)
                {
                    DataColumn currentColumn = table3.Columns[i];
                    newRow[currentColumn.ColumnName] = x.Row2[currentColumn.ColumnName];
                }
            }
        }
    }
    return table3;
}

在这里,我使用该方法在您的样本数据上获得所需的结果:

var table = new DataTable();
table.Columns.Add("Name");
table.Columns.Add("LastName");
var otherTable = new DataTable();
otherTable.Columns.Add("Name");
otherTable.Columns.Add("Product");
table.Rows.Add("a","aa");
table.Rows.Add("b","bb");
otherTable.Rows.Add("s","dd");
otherTable.Rows.Add("a","ss");

DataTable result = MergeOnRowIndex(table, otherTable);

答案 1 :(得分:0)

列是一个集合。您可以使用Contains

检查列名是否已存在
for (int j = 0; j < Temp.Columns.Count; j++ )
{
    if(!excelTb2.Columns.Contains(Temp.Columns[j].ColumnName))
    {
        excelTb2.Columns.Add(Temp.Columns[j].ColumnName.ToString());
        ...
    }
}

这将消除嵌套循环的需要,这是导致错误的主要原因