5

使用此代码:

OracleDataTable dt = PlatypusSchedData.GetAvailablePlatypi(); 
OracleDataTable outputDt = new OracleDataTable();

int iRows = 12;
while (iRows > 0)
{
    outputDt.Rows.Add(new DataRow()); // line 1
    //var dr = new DataRow();     // line 2a
    //outputDt.Rows.Add(dr);      // line 2b
    iRows -= 1;
}

for (int i = 0; i < dt.Rows.Count; i += 1) {
    DataRow dr = dt.Rows[i];
    int outputColumn = 0;
    if (i % 12 == 0 && i > 0) {
        outputColumn += 1; //2?
    }
    outputDt.Rows[i % 12][outputColumn] = dr[0];
    outputDt.Rows[i % 12][outputColumn + 1] = dr[1];
}
dataGridView1.DataSource = outputDt;

...我使用第 1 行(第 2a 和 2b 行注释掉)或使用第 2a 和 2b 行(第 1 行注释掉)得到这个编译时错误:

'System.Data.DataRow.DataRow(System.Data.DataRowBuilder)' 由于其保护级别而无法访问

这让我感到困惑,因为 for 循环中的 DataRow 是可以容忍的。如何将这些 DataRows 添加到我的 OracleDataTable?

4

2 回答 2

19

for 的构造函数DataRow被标记为protected internal,因此不能直接构造它。

为 a 获取新行的正确代码DataTable

DataRow dr = dt.NewRow();
于 2012-08-22T21:52:00.060 回答
3

我不熟悉,OracleDataTable但我认为它继承自 normal DataTable

您不能DataRow直接创建 a ,因为构造函数是protected。相反,您必须使用一种工厂方法,例如DataTable.Rows.Addor DataTable.NewRow。这可确保将正确的架构应用于新架构,DataRow因为它是从其DataTable.

所以这应该工作:

while (iRows > 0)
{
    DataRow dr = outputDt.NewRow();
    // fill the fields of the row ...
    // add it to the DataTable:
    outputDt.Rows.Add(dr);
    iRows -= 1;
}
于 2012-08-22T21:53:03.213 回答