2

我正在使用 LINQ 和 HtmlAgilitypack 从 HTML 创建数据表。以下获取 html 表头并构造数据表列:

var nodes = htmlDoc.DocumentNode.SelectNodes("//table[@class='ps-sellers-table crts']/tr");
             nodes[0].Elements("th")
            .Skip(0)
            .Select(th => th.InnerText
            .Trim())
            .ToList()
            .ForEach(header => dt.Columns.Add(header));

到目前为止,它工作得很好,除了我需要一些定制。

  1. 选择要添加的列。
  2. 并指定列类型。

此 select 语句将执行上述两件事:

switch (header)
            {
                case ("id") : dt.Columns.Add(header,typeof(int)); break;
                case ("name") : dt.Columns.Add(header,typeof(string)); break;
                case ("price") : dt.Columns.Add(header,typeof(decimal)); break;
                case ("shipping") : dt.Columns.Add(header,typeof(decimal)); break;
                default : //skip the column and dont add it
            }

但是我对 LINQ 和 C# 真的很陌生,我想在第一个片段的 foreach 中实现上面的 switch case,我知道我应该使用ternary operator,但我不确定语法。

4

2 回答 2

5

我会将开关包装到一个方法中,然后从您的 select 语句中调用该方法。

我的版本看起来像:

var nodes = htmlDoc.DocumentNode.SelectNodes("//table[@class='ps-sellers-table crts']/tr");
         nodes[0].Elements("th")
        .Select(th => th.InnerText.Trim());

foreach(var node in nodes)
    AddColumnToDataTable(node, dt);

请注意,无需Skip(0), 调用ToList()只是为了使用List<T>.ForEach会降低可读性并增加开销。我个人更喜欢只使用普通的foreach.

话虽如此,您的方法可以重构为使用 aDictionary<string, Type>代替。如果您将此添加到您的课程中:

Dictionary<string, Type> typeLookup;
// In your constructor:

public YourClass()
{
    typeLookup.Add("id", typeof(int));
    typeLookup.Add("name", typeof(string));
    typeLookup.Add("price", typeof(decimal));
    typeLookup.Add("shipping", typeof(decimal));
}

然后,您可以将方法编写为:

void AddColumnToDataTable(string columnName, DataTable table)
{
    table.Columns.Add(columnName, typeLookup[columnName]);
}
于 2013-03-05T21:05:13.397 回答
1

您可以将开关添加到 foreach,不知道为什么必须使用三元运算符

.ToList().ForEach(header =>
{
    switch (header)
    {
       case ("id"): dt.Columns.Add(header, typeof(int)); break;
       case ("name"): dt.Columns.Add(header, typeof(string)); break;
       case ("price"): dt.Columns.Add(header, typeof(decimal)); break;
       case ("shipping"): dt.Columns.Add(header, typeof(decimal)); break;
       default: break; //skip the column and dont add it
    }
});
于 2013-03-05T21:06:23.987 回答