1

我正在开发 Frame 应用程序。为此,我想从 url 显示图像(帧)。该网址有超过 50 张图片。为此我使用gridview,但它缺少一些要点,例如,

1.加载图片速度很慢。

2.我们在代码时声明了图片的名称和大小,这样我们在发布应用程序后就不会在url中添加图片了。

我需要尽快解决这些问题。请任何人给我建议。

4

2 回答 2

1

使用下面的延迟加载列表视图链接,这将对您有所帮助。

延迟加载 ListView

使用上面的链接代码并添加另一个活动和另一个布局来显示选定的图像,如果你有任何问题而不是告诉我,我会把完整的代码放在这里。

于 2012-06-06T08:56:49.867 回答
0

1.加载图片速度很慢。

这将取决于您的带宽和设备缓存。

2.我们在代码时声明了图片的名称和大小,这样我们发布应用后就不会在url中添加图片了。

您可以预先定义 URL,因此在代码时您可以将图像名称附加到 url。一旦您准备好 URL,使用 AsyncTask 就可以一张一张下载图像 \

以下片段将为您提供帮助。

下载Helper.java

public interface DownloadHelper
{
    public void OnSucess(Bitmap bitmap);
    public void OnFailure(String response);
}

MainActivity.java

public class GalleryExample extends Activity {
    /** Called when the activity is first created. */
    @Override
    public void onCreate(Bundle icicle) {
        super.onCreate(icicle);
        setContentView(R.layout.main);

        DownloadHelper downloadHelper = new DownloadHelper()
        {
            @Override
            public void OnSucess(Bitmap bitmap)
            {
                ImageView imageView=(ImageView)findViewById(R.id.imageView);
                imageView.setImageBitmap(bitmap);
            }

            @Override
            public void OnFailure(String response)
            {
                Toast.makeText(context, response, Toast.LENGTH_LONG).show();
            }
        };
        new MyTask(this,downloadHelper).execute("image url");
    }

我的任务.java

public class DownloadTask extends AsyncTask<String, Integer, Object>
{
    private Context context;
    private DownloadHelper downloadHelper;
    private ProgressDialog dialog;


    public DownloadTask(Context context,DownloadHelper downloadHelper)
    {
        this.context = context;

    }

    @Override
    protected void onPreExecute()
    {
        dialog = new ProgressDialog(context);
        dialog.setTitle("Please Wait");
        dialog.setMessage("Fetching Data!!");
        dialog.setCancelable(false);
        dialog.show();
        super.onPreExecute();
    }

    @Override
    protected Object doInBackground(String... params)
    {
        URL aURL = new URL(myRemoteImages[position]);
        URLConnection conn = aURL.openConnection();
        conn.connect();
        InputStream is = conn.getInputStream();

        BufferedInputStream bis = new BufferedInputStream(is);
        /* Decode url-data to a bitmap. */
        Bitmap bm = BitmapFactory.decodeStream(bis);
        bis.close();
        is.close();
        return bm;
    }

    @Override
    protected void onPostExecute(Object result)
    {
        dialog.dismiss();
        if (result != null)
        {
            downloadHelper.OnSucess((Bitmap)result);
        } 
        else
        {
            downloadHelper.OnFailure("Error in Downloading Data!!");
        }
        super.onPostExecute(result);
    }
}
于 2012-06-06T07:47:29.090 回答