将行号列添加到IList <T>

时间:2019-12-09 23:31:44

标签: c# list linq enumerable

我试图将DataSet转换为IList<myDataModel>并在尝试填充行号列时卡住。

这是我转换数据的方法:

private IList<Web_Notes.Models.NotesRequested> DataSetToList(DataSet ds)
    {
        int currentBatch = GetCurrentBatchId();
        var notesList = ds.Tables[0].AsEnumerable().Select(dataRow => new Web_Notes.Models.NotesRequested
        {
            batch_id = currentBatch,
            //rowNumber = index of current row
            note_type = dataRow.Field<string>("Note Type"),
            note_system = dataRow.Field<string>("Note System"),
            note_text = dataRow.Field<string>("Note Text"),
            country = dataRow.Field<string>("Country")
        }).ToList();

        return notesList;
    }
用户输入

note列,batch_idrowNumber是计算列。 到目前为止,一切正常,除了rowNumber

这是预期的结果

  batch_id    rowNumber   note_type   note_system note_text   country
        1           1       note        system      text        cntry
        1           2       note        system      text        cntry
        1           3       note        system      text        cntry
        1           4       note        system      text        cntry
        1           5       note        system      text        cntry
        1           6       note        system      text        cntry

我可以使用ds,Tables[0].Rows.IndexOf(row);

获取行号

但是我不知道如何在这种情况下应用它,因为dataRow似乎没有IndexOf()属性。

1 个答案:

答案 0 :(得分:3)

如果我正确理解Enumerable.Select文档,则select函数的回调可以有第二个参数,其中将包含索引。
https://docs.microsoft.com/en-us/dotnet/api/system.linq.enumerable.select?view=netframework-4.8) 请参见链接网站上的示例!

在您的情况下,它可以写为:

private IList<Web_Notes.Models.NotesRequested> DataSetToList(DataSet ds)
    {
        int currentBatch = GetCurrentBatchId();
        var notesList = ds.Tables[0].AsEnumerable().Select(
          (dataRow, index) => new Web_Notes.Models.NotesRequested {
            batch_id = currentBatch,
            rowNumber = index
            note_type = dataRow.Field<string>("Note Type"),
            note_system = dataRow.Field<string>("Note System"),
            note_text = dataRow.Field<string>("Note Text"),
            country = dataRow.Field<string>("Country")
          }
        ).ToList();

        return notesList;
    }