0

我正在使用 HtmlAgilityPack 从网页中读取数据/字符串。

我的 html 在这里

http://jsfiddle.net/7DWfa/1/

这是我的代码

HtmlAgilityPack.HtmlDocument htmlDoc = new HtmlAgilityPack.HtmlDocument();
htmlDoc.OptionFixNestedTags = true;
HtmlNode.ElementsFlags.Remove("option");
htmlDoc.LoadHtml(s);
if (htmlDoc.DocumentNode != null){
HtmlAgilityPack.HtmlNode bodyNode = htmlDoc.DocumentNode.SelectSingleNode("//body");
if (bodyNode != null)
{//what to do here to get title and href?
var inputs = from input in htmlDoc.DocumentNode.Descendants("div")
                     where input.Attributes["class"].Value == "results-data-price-btn"
                     select input;

}
}

请指导我如何通过类获取 div 值

4

1 回答 1

0

注意:以下内容未经测试,我刚刚快速查看了页面的 HTML,并试图了解它是如何“组合”在一起的。

每辆车的“结果”都有一个div同级search-results-box。所以....

var rootNode = htmlDoc.DocumentNode;
var allCarResults = rootNode.SelectNodes("//div[normalize-space(@class)='search-results-box']");
foreach (var carResult in allCarResults)
{

}

您拥有每个“汽车结果”(例如,每个项目现在都是代表其中一辆汽车的整个部分......所以深入挖掘......

在其中的每一个中,汽车的数据都在另一个div中,类search-results-data...so....

var dataNode = carResult.SelectSingleNode(".//div[@class='search-results-data']");

范围内,您现在将更深入地挖掘。汽车的标题在另一个元素中,特别是在一个孩子h2中......

var carNameNode = dataNode.SelectSingleNode(".//h2/a");
string carName = carNameNode.InnerText.Trim();

由于 HTML 中可怕的标记,汽车的价格是最困难的。

它位于font另一个元素内div...

var carPriceNode = dataNode.SelectSingleNode(".//div[@class='results-data-price-btn']/font");
string carPrice = carPriceNode.InnerText.Trim(); // this will give you AED 24,500. Perform some logic to split that up so you just have the number...a

问题是价格在一个元素中被固定为“AED 24,500”。因此,您可以轻松获取元素,但如果您只想要数字,那是您需要自己弄清楚的逻辑。

图像本身,很好。这是标记中的一个级别,作为一个孩子在下面备份carResult,所以我们继续......:

var carImageNode = carResult.SelectSingleNode(".//div[@class='search-results-img']/descendant::img");
string carImageSource = carImageNode.GetAttributeValue("src", string.Empty);

重新编辑

所有“有关此二手车的更多详细信息”信息都集中在一个位置,因此以下内容适用于您的示例,但可能不适用于所有示例:

var descriptionNode = rootNode.SelectSingleNode("//div[@id='description']");

var entireDescription = descriptionNode.InnerText.Trim();

var splitUpDescriptionParts =
    entireDescription.Split(
        new[]
            {
                "More Details about this Used Car:", "Body Condition:", "Mechanical Condition:", "Doors:", "Cylinders:", "Body Style:",
                "Drive Type:", "Warrenty:", "Description:"
            },
        StringSplitOptions.RemoveEmptyEntries).Select(s => s.Trim()).Where(s => !string.IsNullOrWhiteSpace(s));

string bodyCondition = splitUp.First();
string mechancialCondition = splitUp.ElementAt(1);
string amountOfDoors = splitUp.ElementAt(2);
string amountOfCylinders = splitUp.ElementAt(3);
string bodyStyle = splitUp.ElementAt(4);
string driveType = splitUp.ElementAt(5);
string warranty = splitUp.ElementAt(6);
string description = splitUp.Last();
于 2013-06-20T11:51:47.840 回答