Android图片获取

时间:2010-05-25 23:42:02

标签: android

在Android程序中从url获取图像的最简单方法是什么?

2 个答案:

答案 0 :(得分:6)

我强烈建议您使用AsyncTask。我最初使用URL.openStream,但它有issues

class DownloadThread extends AsyncTask<URL,Integer,List<Bitmap>>{
 protected List<Bitmap> doInBackground(URL... urls){
  InputStream rawIn=null;
  BufferedInputStream bufIn=null;
  HttpURLConnection conn=null;
  try{
   List<Bitmap> out=new ArrayList<Bitmap>();
   for(int i=0;i<urls.length;i++){
    URL url=urls[i];
    url = new URL("http://mysite/myimage.png");
    conn=(HttpURLConnection) url.openConnection()
    if(!String.valueOf(conn.getResponseCode()).startsWith('2'))
      throw new IOException("Incorrect response code "+conn.getResponseCode()+" Message: " +getResponseMessage());
    rawIn=conn.getInputStream();
    bufIn=new BufferedInputStream();
    Bitmap b=BitmapFactory.decodeStream(in);
    out.add(b);
    publishProgress(i);//Remove this line if you don't want to use AsyncTask
  }
    return out;
  }catch(IOException e){
    Log.w("networking","Downloading image failed");//Log is an Android specific class
    return null;
  }
  finally{
   try {
     if(rawIn!=null)rawIn.close();
     if(bufIn!=null)bufIn.close();         
     if(conn!=null)conn.disconnect();
   }catch (IOException e) {
     Log.w("networking","Closing stream failed");
   }
  }
 }
}

在这种情况下,关闭流/连接和异常处理很困难。根据{{​​3}},您只需关闭最外层的流,但Sun Documentation。但是,如果我们无法关闭BufferedInputStream,我将首先关闭最内层流以确保它已关闭。

我们在最后关闭,以便异常不会阻止它们被关闭。如果异常阻止它们被初始化,我们会考虑流将null的可能性。如果我们在关闭期间有异常,我们只需记录并忽略它。如果发生运行时错误,即使这可能也无法正常工作。

您可以按如下方式使用AsyncTask课程。在onPreExecute中开始制作动画。更新onProgressUpdate中的进度。 onPostExecute应该处理实际图像。使用onCancel允许用户取消操作。从AsyncTask.execute开始。

值得注意的是,it appears to be more complicated和许可证允许我们在非Android项目中使用该类。

答案 1 :(得分:3)

你做的方法很多,但我能想到的简单方法就是这样:

Bitmap IMG;
Thread t = new Thread(){
    public void run(){
    try {
        /* Open a new URL and get the InputStream to load data from it. */ 
        URL aURL = new URL("YOUR URL"); 
    URLConnection conn = aURL.openConnection(); 
    conn.connect(); 
    InputStream is = conn.getInputStream(); 
    /* Buffered is always good for a performance plus. */ 
    BufferedInputStream bis = new BufferedInputStream(is); 
    /* Decode url-data to a bitmap. */ 
    IMG = BitmapFactory.decodeStream(bis);
    bis.close(); 
    is.close(); 

    // ...send message to handler to populate view.
    mHandler.sendEmptyMessage(0);

} catch (Exception e) {
    Log.e(DEB, "Remtoe Image Exception", e);

    mHandler.sendEmptyMessage(1);
} finally {
}
}
};

t.start();

然后在代码中添加一个处理程序:

    private Handler mHandler = new Handler(){
    public void handleMessage(Message msg) {
        switch(msg.what){
        case 0:
            (YOUR IMAGE VIEW).setImageBitmap(IMG);
            break;
        case 1:
            onFail();
            break;
        }
    }
};

通过启动线程并添加处理程序,您可以加载图像,而无需在下载期间锁定UI。