Reputation: 604
I was trying to parse my university website, to get a list of news (title + link) from main site. However, as I'm trying to parse a full website, links that I am looking for are nested deep in other classes, tables etc. Here's the code I tried to use:
String url = "http://www.portal.pwr.wroc.pl/index,241.dhtml";
Document doc = Jsoup.connect(url).get();
Elements links = doc.select("table.cwrapper .tbody .tr td.ccol2 div.cwrapper_padd div#box_main_page_news.cbox.grey div#dyn_main_news.cbox.padd2 div.nitem table.nitemt .tbody .tr td.nitemcell2 span.title_1");
ArrayList <String> listOfLinks = new ArrayList <String> ();
int counter = 0;
for (Element link : links) {
listOfLinks.add(link.text());
}
But it doesn't work. Is there a better way to get a href values and titles of all those links, if every one of them is placed in:
<span class = "title_1">
<a href="Link Adress">Link Title</a>
</span>
Maybe some kind of loop, that would iterate over all of those tags, taking values from them?
Thanks for help :-)
Upvotes: 2
Views: 6011
Reputation: 6151
Your main problem is that the information you're looking for, does not exist at the URL you're using, but at http://www.portal.pwr.wroc.pl/box_main_page_news,241.dhtml?limit=10.
You should first get that page, and than use this (it's a combination of Hovercraft and Andrei volgon's answers) -
String url = "http://www.portal.pwr.wroc.pl/box_main_page_news,241.dhtml?limit=10";
String baseURL = "http://www.portal.pwr.wroc.pl/";
Document doc = Jsoup.connect(url).get();
Elements links = doc.select(".title_1 > a");
for (Element link : links) {
System.out.println("Title - " + link.text());
System.out.println(baseURL + link.attr("href"));
}
Upvotes: 4
Reputation: 285403
Why not simply do, doc.select("a[href]");
and then call .attr("href")
and .text()
on each Element in the Elements returned by the selection?
For example:
String path = "http://www.portal.pwr.wroc.pl/index,241.dhtml";
int timeoutMillis = 10 * 1000;
try {
URL url = new URL(path);
Document doc = Jsoup.parse(url, timeoutMillis);
Elements selections = doc.select("a[href]");
String format = "%-40s %s%n";
for (Element element : selections) {
System.out.printf(format, element.attr("href"), element.text());
}
} catch (IOException e) {
e.printStackTrace();
}
Upvotes: 0
Reputation: 41089
You need to find the least complex unique selector that selects the right elements. In your case the solution is very simple:
doc.select(".title_1 > a")
Upvotes: 0