0

URLから写真をダウンロードし、AndroidのImageViewに表示するこのコードがあります。

ダウンロードして別の ImageView に表示する複数の URL の ArrayList または Array がある場合、これをループする方法がわかりません。続行する方法についての助けや洞察をいただければ幸いです。ありがとうございました!

public class DisplayPhotoTask extends AsyncTask<String, Void, Bitmap> {
    @Override
    protected Bitmap doInBackground(String... urls) {
        Bitmap map = null;
        for (String url : urls) {
            map = downloadImage(url);
        }
        return map;     
    }

    //sets bitmap returned by doInBackground
    @Override
    protected void onPostExecute(Bitmap result) {
        ImageView imageView1 = (ImageView) findViewById(R.id.imageView);
        imageView1.setImageBitmap(result);
    }

    //creates Bitmap from InputStream and returns it
    private Bitmap downloadImage(String url) {
        Bitmap bitmap = null;
        InputStream stream = null;
        BitmapFactory.Options bmOptions = new BitmapFactory.Options();
        bmOptions.inSampleSize = 1;

        try {
            stream = getHttpConnection(url);
            bitmap = BitmapFactory.decodeStream(stream, null, bmOptions);
            stream.close();
        } catch (IOException e1) {
            e1.printStackTrace();
        }
        return bitmap;
    }

    //makes httpurlconnection and returns inputstream
    private InputStream getHttpConnection(String urlString) throws IOException {
        InputStream stream = null;
        URL url = new URL(urlString);
        URLConnection connection = url.openConnection();

        try {
            HttpURLConnection httpConnection = (HttpURLConnection) connection;
            httpConnection.setRequestMethod("GET");
            httpConnection.connect();

            if (httpConnection.getResponseCode() == HttpURLConnection.HTTP_OK) {
                stream = httpConnection.getInputStream();
            }
        } catch (Exception ex) {
            ex.printStackTrace();
        }
        return stream;
    }

}
4

1 に答える 1

1

たとえば、AsyncTask の結果を List ant として作成し、次のように書くことができます。

protected Bitmap doInBackground(String... urls) {
    List<Bitmap> bitmaps = new ArrayList<Bitmap>;
    for (String url : urls) {
        bitmaps.add(downloadImage(url));
    }
    return bitmaps;     
}

protected void onPostExecute(List<Bitmap> result) {
    //...
}

しかし、私が本当にお勧めしたいのは、Google によって書かれた Volley ライブラリを使用することです。これには非常に簡単で強力な API があります ( https://developers.google.com/live/shows/474338138とリポジトリに関する Google I/O セッションがあります)。 https://android.googlesource.com/platform/frameworks/volley/ )

于 2013-06-29T21:57:54.603 に答える