decodeStream возвращает ноль
Я пытаюсь принять учебник по изменению размера растрового изображения - единственное отличие состоит в том, что я использую decodeStream вместо decodeResource. Это странно, но decodeStream, без каких-либо манипуляций, дает мне битовый объект obj, но когда я прохожу через decodeSampledBitmapFromStream, по какой-то причине он возвращает null. Как мне это исправить?
Вот код, который я использую:
protected Handler _onPromoBlocksLoad = new Handler() {
@Override
public void dispatchMessage(Message msg) {
PromoBlocksContainer c = (PromoBlocksContainer) _promoBlocksFactory.getResponse();
HttpRequest request = new HttpRequest(c.getPromoBlocks().get(0).getSmallThumbnail());
BitmapFactory.Options options = new BitmapFactory.Options();
options.inJustDecodeBounds = true;
InputStream stream;
ImageView v = (ImageView) findViewById(R.id.banner);
try {
stream = request.getStream();
//v.setImageBitmap(BitmapFactory.decodeStream(stream)); Works fine
Bitmap img = decodeSampledBitmapFromStream(stream, v.getWidth(), v.getHeight());
v.setImageBitmap(img);
} catch (IOException e1) {
// TODO Auto-generated catch block
e1.printStackTrace();
}
}
};
public static int calculateInSampleSize(BitmapFactory.Options options, int reqWidth, int reqHeight) {
final int height = options.outHeight;
final int width = options.outWidth;
int inSampleSize = 1;
if (height > reqHeight || width > reqWidth) {
if (width > height) {
inSampleSize = Math.round((float)height / (float)reqHeight);
} else {
inSampleSize = Math.round((float)width / (float)reqWidth);
}
}
return inSampleSize;
}
public static Bitmap decodeSampledBitmapFromStream(InputStream res, int reqWidth, int reqHeight) {
BitmapFactory.Options options = new BitmapFactory.Options();
options.inJustDecodeBounds = true;
BitmapFactory.decodeStream(res, null, options);
options.inSampleSize = calculateInSampleSize(options, reqWidth, reqHeight);
options.inJustDecodeBounds = false;
Bitmap img = BitmapFactory.decodeStream(res, null, options); // Gives null
return img;
}
3 ответа
Проблема заключалась в том, что после того, как вы использовали InputStream из HttpUrlConnection, вы не можете перематывать и снова использовать тот же InputStream снова. Поэтому вы должны создать новый InputStream для фактической выборки изображения. В противном случае мы должны прервать http-запрос.
request.abort();
Поскольку объект InputStream можно использовать только один раз, необходимо сделать глубокую копию объекта InputStream, если вы хотите изменить размер растрового изображения из inputStream объекта HttpUrlConnection, в противном случае decodeStream вернет значение null. Вот одно из возможных решений:
HttpURLConnection urlConnection = null;
InputStream in = null;
InputStream in2 = null;
try {
final URL imgUrl = new URL(url);
urlConnection = (HttpURLConnection) imgUrl.openConnection();
in = urlConnection.getInputStream();
ByteArrayOutputStream out = new ByteArrayOutputStream();
copy(in,out);
in2 = new ByteArrayInputStream(out.toByteArray());
// resize the bitmap
bitmap = decodeSampledBitmapFromInputStream(in,in2);
} catch (Exception e) {
Log.e(TAG, "Error in down and process Bitmap - " + e);
} finally {
if (urlConnection != null) {
urlConnection.disconnect();
}
try {
if (in != null) {
in.close();
}
if (in2 != null){
in2.close();
}
} catch (final IOException e) {
Log.e(TAG, "Error in when close the inputstream." + e);
}
}
}
Код источника метода Method выглядит следующим образом:
public static int copy(InputStream input, OutputStream output) throws IOException{
byte[] buffer = new byte[IO_BUFFER_SIZE];
int count = 0;
int n = 0;
while (-1 != (n = input.read(buffer))) {
output.write(buffer, 0, n);
count += n;
}
return count;
}
исходный код метода decodeSampledBitmapFromInputStream выглядит следующим образом:
public static Bitmap decodeSampledBitmapFromInputStream(InputStream in,
InputStream copyOfin, int reqWidth, int reqHeight) {
// First decode with inJustDecodeBounds=true to check dimensions
final BitmapFactory.Options options = new BitmapFactory.Options();
options.inJustDecodeBounds = true;
BitmapFactory.decodeStream(in, null, options);
// Calculate inSampleSize
options.inSampleSize = calculateInSampleSize(options, reqWidth, reqHeight);
// Decode bitmap with inSampleSize set
options.inJustDecodeBounds = false;
return BitmapFactory.decodeStream(copyOfin, null, options);
}
В ответах второго этажа есть некоторые проблемы. Потому что в методе copy()
, inputstream
был использован , так в методе decodeSampledBitmapFromInputStream(in,copyOfIn)
, Мы не можем поймать значение options.outWidth
,
Здесь я сделал некоторые исправления ; Мы можем конвертировать друг друга между byte[]
а также inputstream
Итак, мы можем конвертировать inputstream
в byte[]
, Это может быть использовано несколько раз.
Код следующим образом:
HttpURLConnection connection = null;
InputStream inputStream = null;
InputStream copyiInputStream1 = null;
InputStream copyiInputStream2 = null;
Bitmap bitmap = null;
try {
URL url=new URL(imageUrl);
connection=(HttpURLConnection) url.openConnection();
connection.setConnectTimeout(8000);//设置连接超时
inputStream = connection.getInputStream();
byte[] data = InputStreamTOByte(inputStream);
try {
copyiInputStream1 = byteTOInputStream(data);
copyiInputStream2 = byteTOInputStream(data);
} catch (Exception e) {
e.printStackTrace();
}
bitmap = decodeSampledBitmapFromInputStream(copyiInputStream1,copyiInputStream2);
/**
* 将InputStream转换成byte数组
* @param in InputStream
* @return byte[]
* @throws IOException
*/
public byte[] InputStreamTOByte(InputStream in) throws IOException{
ByteArrayOutputStream outStream = new ByteArrayOutputStream();
byte[] data = new byte[1024*16];
int count = -1;
while((count = in.read(data,0,1024*16)) != -1)
outStream.write(data, 0, count);
data = null;
return outStream.toByteArray();
}
/**
* 将byte数组转换成InputStream
* @param in
* @return
* @throws Exception
*/
public InputStream byteTOInputStream(byte[] in) throws Exception{
ByteArrayInputStream is = new ByteArrayInputStream(in);
return is;
}