从API中,我从类似于以下格式的URL字符串中获取缩略图: https://website.com/05b8a817448d0e2/0_167_3000_1799/500.jpg。但是,对于Android应用程序开发来说,它看起来非常斑点。
API没有提供高分辨率图像。但是,我发现通过更改URL的末尾,图像存在于1000px甚至2000px处。
我想将URL字符串更改为具有改进后缀的相同位置的更高分辨率版本: https://website.com/05b8a817448d0e2/0_167_3000_1799/1000.jpg
其他要求:
因此,该解决方案必须比我目前的编码功能强大得多。
这是我在Android Studio中的代码块,可以正常工作,但没有涵盖额外的要求。我只是在Java和Android Studio中编码了几个月,所以它可能存在一些问题:
/**
* Load an image from a URL and return a {@link Bitmap}
*
* @param url string of the URL link to the image
* @return Bitmap of the image
*/
private static Bitmap downloadBitmap(String url) {
Bitmap bitmap = null;
String newUrlString = url;
try {
// Change 500px image to 1000px image
URL oldUrl = new URL(url);
if (url.endsWith("500.jpg")) {
newUrlString = oldUrl.toString().replaceFirst("500.jpg", "1000.jpg");
}
InputStream inputStream = new URL(newUrlString).openStream();
bitmap = BitmapFactory.decodeStream(inputStream);
} catch (Exception e) {
Log.e(LOG_TAG, e.getMessage());
}
return bitmap;
}
答案 0 :(得分:2)
尝试以下操作:
protected class ImageLoader extends AsyncTask<String, Void, Bitmap> {
protected Bitmap doInBackground(String... urls) {
Bitmap bitmap = null;
String originalUrl = urls[0];
String url = urls[0].replaceFirst("/500.", "/1000.");
try {
InputStream inputStream = new URL(url).openStream();
bitmap = BitmapFactory.decodeStream(inputStream);
} catch (Exception e) {
try {
InputStream inputStream = new URL(originalUrl).openStream();
bitmap = BitmapFactory.decodeStream(inputStream);
} catch (Exception ignored) {
}
}
return bitmap;
}
protected void onPostExecute(Bitmap bitmap) {
//do whatever you want with the result.
if(bitmap!=null)
image.setImageBitmap(bitmap);
}
}
我在这里所做的是,我创建了一个名为 ImageLoader 的AsyncTask(因为您的原始代码将抛出NetworkOnMainThreadException
)。它将处理请求图像网址;如果无法获得1000px版本,它将故障转移到图像的500px版本。
希望这会有所帮助。