我的目标是编写一个检查以下URL的java应用程序:https://familysearch.org/pal:/MM9.3.1/TH-1971-28699-12927-58能够保存图像(属于旧书的页面的副本)并导航到下一页,重复该过程。可以手动下载图像,但我想自动执行此任务。问题是我对网络知之甚少,所以我很难过。
我使用浏览器的网络检查器查看网址中的资源,并得出结论可以在此处找到图片:https://familysearch.org/pal:/MM9.3.1/TH-1971-28699-12927-58.jpg。
所以我尝试了以下代码段:
public static void saveImage(String imageUrl, String destinationFile) throws IOException {
URL url = new URL(imageUrl);
InputStream is = url.openStream();
OutputStream os = new FileOutputStream(destinationFile);
byte[] b = new byte[2048];
int length;
while ((length = is.read(b)) != -1) {
os.write(b, 0, length);
}
is.close();
os.close();
}
public static void main(String args[]) throws Exception {
String imageUrl = "https://familysearch.org/pal:/MM9.3.1/TH-1971-28699-12927-58.jpg";
String destinationFile = "./image.jpg";
saveImage(imageUrl, destinationFile);
}
哪个不起作用。我得到了以下输出:
Exception in thread "main" java.io.IOException: Server returned HTTP response code: 500 for URL: https://familysearch.org/pal:/MM9.3.1/TH-1971-28699-12927-58.jpg
at sun.net.www.protocol.http.HttpURLConnection.getInputStream(HttpURLConnection.java:1626)
at sun.net.www.protocol.https.HttpsURLConnectionImpl.getInputStream(HttpsURLConnectionImpl.java:254)
at java.net.URL.openStream(URL.java:1037)
at mainpackage.Main.saveImage(Main.java:25)
at mainpackage.Main.main(Main.java:44)
所以我有两个问题:第一个是如何继续下载图像,第二个是如何找到下一个图像的URL,因为URL似乎不遵循模式(如计数)。
答案 0 :(得分:3)
这是一个有效的例子:
import javax.net.ssl.HttpsURLConnection;
import java.io.FileOutputStream;
import java.io.IOException;
import java.io.InputStream;
import java.io.OutputStream;
import java.net.URL;
public class StackOverflowTest {
public static void saveImage(final String imageUrl, final String destinationFile) throws IOException {
final URL url = new URL(imageUrl);
final HttpsURLConnection urlConnection = (HttpsURLConnection) url.openConnection();
urlConnection.setRequestProperty("User-Agent", "Mozilla/5.0 (Windows NT 6.1) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/41.0.2228.0 Safari/537.36");
urlConnection.setRequestProperty("Accept", "text/html,application/xhtml+xml,application/xml;q=0.9,image/webp,*/*;q=0.8");
urlConnection.setInstanceFollowRedirects(true);
final InputStream is = urlConnection.getInputStream();
final OutputStream os = new FileOutputStream(destinationFile);
byte[] b = new byte[2048];
int length;
while ((length = is.read(b)) != -1) {
os.write(b, 0, length);
}
is.close();
os.close();
}
public static void main(final String args[]) throws Exception {
final String imageUrl = "https://familysearch.org/pal:/MM9.3.1/TH-1971-28699-12927-58.jpg";
final String destinationFile = "./image.jpg";
saveImage(imageUrl, destinationFile);
}
}
问题是Web服务器需要Accept
标头,并且由于无法找到它而失败,返回500响应。 (另外,图像URL执行重定向。)
至于寻找下一张图片:这是一项更复杂的任务。如果没有一种简单的方法来识别下一个图像,您可能需要查看Java的XML / HTML解析器。一个好的,快速的是Jsoup(http://jsoup.org/)。