我只是想了解HTMLAgilityPack和XPath,我试图从纳斯达克网站上获取(HTML链接)公司列表;
http://www.nasdaq.com/quotes/nasdaq-100-stocks.aspx
我目前有以下代码;
HtmlAgilityPack.HtmlDocument htmlDoc = new HtmlAgilityPack.HtmlDocument();
// Create a request for the URL.
WebRequest request = WebRequest.Create("http://www.nasdaq.com/quotes/nasdaq-100-stocks.aspx");
// Get the response.
HttpWebResponse response = (HttpWebResponse)request.GetResponse();
// Get the stream containing content returned by the server.
Stream dataStream = response.GetResponseStream();
// Open the stream using a StreamReader for easy access.
StreamReader reader = new StreamReader(dataStream);
// Read the content.
string responseFromServer = reader.ReadToEnd();
// Read into a HTML store read for HAP
htmlDoc.LoadHtml(responseFromServer);
HtmlNodeCollection tl = htmlDoc.DocumentNode.SelectNodes("//*[@id='indu_table']/tbody/tr[*]/td/b/a");
foreach (HtmlAgilityPack.HtmlNode node in tl)
{
Debug.Write(node.InnerText);
}
// Cleanup the streams and the response.
reader.Close();
dataStream.Close();
response.Close();
我已经使用XPath插件来获取Chrome的XPath;
//*table[@id='indu_table']/tbody/tr[*]/td/b/a
运行我的项目时,我得到一个xpath未处理的异常,因为它是一个无效的令牌。
我有点不确定它有什么问题,我试图在上面的tr [*]部分输入一个数字,但我仍然得到同样的错误。
我最近一小时都在看这个,这有什么简单的吗?
感谢
答案 0 :(得分:3)
由于数据来自javascript,你必须解析javascript而不是html,所以Agility Pack没有那么多帮助,但它让事情变得容易一些。以下是如何使用Agility Pack和Newtonsoft JSON.Net来解析Javascript。
HtmlDocument htmlDoc = new HtmlDocument();
htmlDoc.Load(new WebClient().OpenRead("http://www.nasdaq.com/quotes/nasdaq-100-stocks.aspx"));
List<string> listStocks = new List<string>();
HtmlNode scriptNode = htmlDoc.DocumentNode.SelectSingleNode("//script[contains(text(),'var table_body =')]");
if (scriptNode != null)
{
//Using Regex here to get just the array we're interested in...
string stockArray = Regex.Match(scriptNode.InnerText, "table_body = (?<Array>\\[.+?\\]);").Groups["Array"].Value;
JArray jArray = JArray.Parse(stockArray);
foreach (JToken token in jArray.Children())
{
listStocks.Add("http://www.nasdaq.com/symbol/" + token.First.Value<string>().ToLower());
}
}
为了更详细地解释,数据来自页面var table_body = [...
上的一个大javascript数组。
每个库存都是数组中的一个元素,并且本身就是一个数组。
["ATVI", "Activision Blizzard, Inc", 11.75, 0.06, 0.51, 3058125, 0.06, "N", "N"]
因此,通过解析数组并获取第一个元素并附加修复URL,我们得到与javascript相同的结果。
答案 1 :(得分:0)
为什么不使用Descendants("a")
方法?
它更简单,更面向对象。你会得到一堆对象。
您可以从这些对象中获取“href”属性。
示例代码:
htmlDoc.DocumentNode.Descendants("a").Attributes["href"].Value
如果您只需要某个网页的链接列表,这种方法就可以了。
答案 2 :(得分:0)
如果您查看该网址的网页来源,实际上并没有id=indu_table
的元素。它似乎是动态生成的(即在javascript中);直接从服务器加载时获得的html不会反映客户端脚本更改的任何内容。这可能就是它无法正常工作的原因。