当我有一个类似https://photos.app.net/5269262/1
的app.net网址时 - 如何检索帖子的图片缩略图?
在上面的网址上运行卷曲会显示重定向
bash-3.2$ curl -i https://photos.app.net/5269262/1
HTTP/1.1 301 MOVED PERMANENTLY
Location: https://alpha.app.net/pfleidi/post/5269262/photo/1
以下是一个html页面,其中包含
形式的图像img src='https://files.app.net/1/60621/aWBTKTYxzYZTqnkESkwx475u_ShTwEOiezzBjM3-ZzVBjq_6rzno42oMw9LxS5VH0WQEgoxWegIDKJo0eRDAc-uwTcOTaGYobfqx19vMOOMiyh2M3IMe6sDNkcQWPZPeE0PjIve4Vy0YFCM8MsHWbYYA2DFNKMdyNUnwmB2KuECjHqe0-Y9_ODD1pnFSOsOjH' data-full-width='2048' data-full-height='1536'
在更大的<div>
标记块中。
app.net中的文件api允许retrieve thumbnails,但我不知道这些端点和上面的网址之间的链接。
答案 0 :(得分:2)
photos.app.net只是一个简单的重定向器。它不是API本身的一部分。为了获得缩略图,您需要使用文件获取端点和文件ID(http://developers.app.net/docs/resources/file/lookup/#retrieve-a-file)直接获取文件,或者获取文件包含的帖子并检查oembed注释。
在这种情况下,您正在讨论帖子ID 5269262以及获取该帖子且注释为https://alpha-api.app.net/stream/0/posts/5269262?include_annotations=1的帖子的URL,如果您检查生成的json文档,您将看到thumbnail_url。
答案 1 :(得分:0)
为了完整起见,我想在这里发布最终解决方案(在Java中) - 它建立在Jonathon Duerig的良好和可接受的答案之上:
private static String getAppNetPreviewUrl(String url) {
Pattern photosPattern = Pattern.compile(".*photos.app.net/([0-9]+)/.*");
Matcher m = photosPattern.matcher(url);
if (!m.matches()) {
return null;
}
String id = m.group(1);
String streamUrl = "https://alpha-api.app.net/stream/0/posts/"
+ id + "?include_annotations=1";
// Now that we have the posting url, we can get it and parse
// for the thumbnail
BufferedReader br = null;
HttpURLConnection urlConnection = null;
try {
urlConnection = (HttpURLConnection) new URL(streamUrl).openConnection();
urlConnection.setDoInput(true);
urlConnection.setDoOutput(false);
urlConnection.setRequestProperty("Accept","application/json");
urlConnection.connect();
StringBuilder builder = new StringBuilder();
br = new BufferedReader(
new InputStreamReader(urlConnection.getInputStream()));
String line;
while ((line=br.readLine())!=null) {
builder.append(line);
}
urlConnection.disconnect();
// Parse the obtained json
JSONObject post = new JSONObject(builder.toString());
JSONObject data = post.getJSONObject("data");
JSONArray annotations = data.getJSONArray("annotations");
JSONObject annotationValue = annotations.getJSONObject(0);
JSONObject value = annotationValue.getJSONObject("value");
String finalUrl = value.getString("thumbnail_large_url");
return finalUrl;
} .......