`
yanghaoli
  • 浏览: 291345 次
社区版块
存档分类
最新评论

解决AsyncTask引发的RejectedExecutionException

 
阅读更多

AsyncTask是google为易用和有效的异步操作UI线程的所开发的一个封装类。使用者可以很轻易的使用其进行后台操作,然后将结果传给UI线程,而不需要使用Thread和Handler。

这样好用的一个类,显然可以在ListView异步加载图片时大显身手,本着这样的想法,笔者瞬间就完成了一段这样的模拟代码:

Adapter的getView方法:

 1         @Override
 2         public View getView(int pos, View view, ViewGroup viewGroup) {
 3             if (view == null) {
 4                 view = getLayoutInflater().inflate(R.layout.test2_list_item,
 5                         null);
 6             }
 7             ImageView imageView = (ImageView) view.findViewById(R.id.imageView);
 8             //这里每次都new出一个新的AsyncTask,进行执行。
 9             new TestAsyncTask(imageView, pos).execute(new Object());
10             TextView itemView = (TextView) view.findViewById(R.id.itemView);
11             itemView.setText("测试数据" + pos);
12             return view;
13

TestAsyncTask:

 1 private class TestAsyncTask extends AsyncTask {
 2         private ImageView imageView;
 3         private int index;
 4 
 5         public TestAsyncTask(ImageView imageView, int index) {
 6             this.imageView = imageView;
 7             this.index = index;
 8         }
 9 
10         @Override
11         protected Object doInBackground(Object... arg0) {
12             // 模拟长时间的运算;大多数情况下是等待进行网络请求。
13             long sum = 0;
14             for (int i = 0; i <= 10000 * 100; i++) {
15                 sum += i * 1l;
16             }
17             return null;
18         }
19 
20         @Override
21         protected void onPostExecute(Object result) {
22             //模拟已经获得了网络请求的图片
23             imageView.setImageBitmap(BitmapFactory.decodeResource(
24                     getResources(), R.drawable.image01, null));
25         }
26     }

运行调试,图片一个一个全都加载出来,没有问题,正当我疯狂的向下翻动着,妄图享受一下列表迅速滑动的快感的时候,一个无情的错误弹了出来。

04-17 11:22:52.009: E/AndroidRuntime(22792): FATAL EXCEPTION: main
04-17 11:22:52.009: E/AndroidRuntime(22792): java.util.concurrent.RejectedExecutionException: pool=128/128, queue=10/10
04-17 11:22:52.009: E/AndroidRuntime(22792): at java.util.concurrent.ThreadPoolExecutor$AbortPolicy.rejectedExecution(ThreadPoolExecutor.java:1961)
04-17 11:22:52.009: E/AndroidRuntime(22792): at java.util.concurrent.ThreadPoolExecutor.reject(ThreadPoolExecutor.java:794)
04-17 11:22:52.009: E/AndroidRuntime(22792): at java.util.concurrent.ThreadPoolExecutor.execute(ThreadPoolExecutor.java:1315)

好吧,现在我理解为啥网络上流传的异步加载图片是用更加繁琐的Thread加Handler形式,而不用AsyncTask了。

难道是AsyncTask有什么用法上的问题,从出错结果来看貌似是达到了某个上限被拒绝了。那我们就从这个java.util.concurrent.RejectedExecutionException错误入手。

翻看java的在线文档RejectedExecutionException,我们看到了这个错误的解释

public class RejectedExecutionException
extends RuntimeException
Exception thrown by an Executor when a task cannot be accepted for execution.

Since:
1.5
See Also:
Serialized Form

这个表明是Executor这个类不接受执行task时抛出的异常。而Executor是java1.5之后增加的java.util.concurrent包中操作多线程的主要类。可以执行多个RunnableTask,看来google的AsyncTask就是用的这套API。

了解到这点,我们就可以打开AsyncTask的源码查看它到底是怎么实现的:

打开源码之后,找到execute方法: 

 1     /**
 2      * Executes the task with the specified parameters. The task returns
 3      * itself (this) so that the caller can keep a reference to it.
 4      *
 5      * This method must be invoked on the UI thread.
 6      *
 7      * @param params The parameters of the task.
 8      *
 9      * @return This instance of AsyncTask.
10      *
11      * @throws IllegalStateException If {@link #getStatus()} returns either
12      *         {@link AsyncTask.Status#RUNNING} or {@link AsyncTask.Status#FINISHED}.
13      */
14     public final AsyncTask<Params, Progress, Result> execute(Params... params) {
15         if (mStatus != Status.PENDING) {
16             switch (mStatus) {
17                 case RUNNING:
18                     throw new IllegalStateException("Cannot execute task:"
19                             + " the task is already running.");
20                 case FINISHED:
21                     throw new IllegalStateException("Cannot execute task:"
22                             + " the task has already been executed "
23                             + "(a task can be executed only once)");
24             }
25         }
26 
27         mStatus = Status.RUNNING;
28 
29         onPreExecute();
30 
31         mWorker.mParams = params;
32         sExecutor.execute(mFuture);
33 
34         return this;
35     }

 找到这里使用的ExecutorsExecutor这个属性,这样来到它赋值的地方

 1     private static final String LOG_TAG = "AsyncTask";
 2 
 3     private static final int CORE_POOL_SIZE = 5;
 4     private static final int MAXIMUM_POOL_SIZE = 128;
 5     private static final int KEEP_ALIVE = 10;
 6 
 7     private static final BlockingQueue<Runnable> sWorkQueue =
 8             new LinkedBlockingQueue<Runnable>(10);
 9 
10     private static final ThreadFactory sThreadFactory = new ThreadFactory() {
11         private final AtomicInteger mCount = new AtomicInteger(1);
12 
13         public Thread newThread(Runnable r) {
14             return new Thread(r, "AsyncTask #" + mCount.getAndIncrement());
15         }
16     };
17 
18     private static final ThreadPoolExecutor sExecutor = new ThreadPoolExecutor(CORE_POOL_SIZE,
19             MAXIMUM_POOL_SIZE, KEEP_ALIVE, TimeUnit.SECONDS, sWorkQueue, sThreadFactory);

可以看到他是构造了一个ThreadPoolExecutor常量,保证new出多个AsyncTask都是使用这一个Executor。异常应该是它抛出的,我们看下这个类的文档,其中有一段是这样描述的:

Rejected tasks
 New tasks submitted in method execute(Runnable) will be rejected when the Executor has been shut down, and also when the Executor uses finite bounds for both maximum threads and work queue capacity, and is saturated. In either case, the execute method invokes the rejectedExecution(Runnable, ThreadPoolExecutor) method of its         RejectedExecutionHandler. Four predefined handler policies are provided:
  1.In the default ThreadPoolExecutor.AbortPolicy, the handler throws a runtime RejectedExecutionException upon rejection.
  2.In ThreadPoolExecutor.CallerRunsPolicy, the thread that invokes execute itself runs the task. This provides a simple feedback control mechanism that will slow    down the rate that new tasks are submitted.
  3.In ThreadPoolExecutor.DiscardPolicy, a task that cannot be executed is simply dropped.
  4.In ThreadPoolExecutor.DiscardOldestPolicy, if the executor is not shut down, the task at the head of the work queue is dropped, and then execution is retried     (which can fail again, causing this to be repeated.)
It is possible to define and use other kinds of RejectedExecutionHandler classes. Doing so requires some care especially when policies are designed to work only under particular capacity or queuing policies.

 原来在Executor的队列和容量都达到最大时,再次增加新的task的时候将会进行拒绝行为,而默认的拒绝行为就是抛出这个RejectedExecutionException异常。

 看到这里顿时恍然了,原来初始化ThreadPoolExecutor没有指定拒绝行为,导致了异常的发生。google,你可以的!

 那解决方案也就诞生了,就是复制一份AsyncTask的源码,自己重写这个初始化方法,增加相应的拒绝策略,后面就有几个可供选择的策略。修改AsyncTask源码如下

1     private static final ThreadPoolExecutor sExecutor = new ThreadPoolExecutor(CORE_POOL_SIZE,
2             MAXIMUM_POOL_SIZE, KEEP_ALIVE, TimeUnit.SECONDS, sWorkQueue, sThreadFactory, new ThreadPoolExecutor.DiscardOldestPolicy());

再次运行,OK,不会再抛出那个异常了。

其实当你看AsyncTask的google官方文档时,你会发现后面有这么一段:

Order of execution


When first introduced, AsyncTasks were executed serially on a single background thread. Starting with DONUT, this was changed to a pool of threads allowing multiple tasks to operate in parallel. Starting with HONEYCOMB, tasks are executed on a single thread to avoid common application errors caused by parallel execution.

也就是说刚开始,AsyncTask是被限制在一个线程里。从1.6开始,使用了线程池,允许运行多任务同时进行。而到了3.0之后,又被限制在一个线程里为了避免多线程执行的错误。

变3次了,你可以的,google。

为了验证这段话,瞅瞅3.0之后的AsyncTask的源码:

    private static final String LOG_TAG = "AsyncTask";

    private static final int CORE_POOL_SIZE = 5;
    private static final int MAXIMUM_POOL_SIZE = 128;
    private static final int KEEP_ALIVE = 1;

    private static final ThreadFactory sThreadFactory = new ThreadFactory() {
        private final AtomicInteger mCount = new AtomicInteger(1);

        public Thread newThread(Runnable r) {
            return new Thread(r, "AsyncTask #" + mCount.getAndIncrement());
        }
    };

    private static final BlockingQueue<Runnable> sPoolWorkQueue =
            new LinkedBlockingQueue<Runnable>(10);

    /**
     * An {@link Executor} that can be used to execute tasks in parallel.
     */
    public static final Executor THREAD_POOL_EXECUTOR
            = new ThreadPoolExecutor(CORE_POOL_SIZE, MAXIMUM_POOL_SIZE, KEEP_ALIVE,
                    TimeUnit.SECONDS, sPoolWorkQueue, sThreadFactory);

    /**
     * An {@link Executor} that executes tasks one at a time in serial
     * order.  This serialization is global to a particular process.
     */
    public static final Executor SERIAL_EXECUTOR = new SerialExecutor();

    private static final int MESSAGE_POST_RESULT = 0x1;
    private static final int MESSAGE_POST_PROGRESS = 0x2;

    private static final InternalHandler sHandler = new InternalHandler();
    //这里我们发现到了这个默认的执行器,是下面实现的线性队列。
    private static volatile Executor sDefaultExecutor = SERIAL_EXECUTOR;
    private final WorkerRunnable<Params, Result> mWorker;
    private final FutureTask<Result> mFuture;

    private volatile Status mStatus = Status.PENDING;
    
    private final AtomicBoolean mCancelled = new AtomicBoolean();
    private final AtomicBoolean mTaskInvoked = new AtomicBoolean();
    
    private static class SerialExecutor implements Executor {
        final ArrayDeque<Runnable> mTasks = new ArrayDeque<Runnable>();
        Runnable mActive;

        public synchronized void execute(final Runnable r) {
            mTasks.offer(new Runnable() {
                public void run() {
                    try {
                        r.run();
                    } finally {
                        scheduleNext();
                    }
                }
            });
            if (mActive == null) {
                scheduleNext();
            }
        }

        protected synchronized void scheduleNext() {
            if ((mActive = mTasks.poll()) != null) {
                THREAD_POOL_EXECUTOR.execute(mActive);
            }
        }
    } 

 这样我们也就可以根据3.0的源码修改我们的AsyncTask里的默认执行器,同样使用SerialExecutor保证只会启用一个线程。另外3.0的AsyncTask多了一个executeOnExecutor(java.util.concurrent.Executor, Object[])方法,如果你希望有多个任务同时启动,也可以使用THREAD_POOL_EXECUTOR执行。

该篇文章只是浅浅的探讨了一下使用AsyncTaskRejectedExecutionException问题解决,对于多线程理解多有不足之处,欢迎各位大牛拍砖。

1
5
分享到:
评论

相关推荐

    AsyncTask类实例详解

    AsyncTask是Android中用于在后台线程执行耗时操作并更新UI的一种机制。它通过封装了线程管理和与主线程的交互,简化了在UI线程中...但是,随着Android版本的更新,开发者应当考虑使用更现代的解决方案来替代AsyncTask。

    02_AsyncTask_简单演示AsyncTask异步操作

    AsyncTask_简单演示AsyncTask异步操作,写一个简单的AsyncTask异步操作解决上一篇文章提到的线程阻塞问题,对应我的博客《网易博客迁移:Android专题之AsyncTask(二)简单演示AsyncTask异步操作》,有问题欢迎留言...

    Android AsyncTask 源码解析

    **Android AsyncTask 源码解析** AsyncTask 是 Android 平台上一个非常重要的工具类,用于在后台线程执行耗时操作,然后在 UI 线程更新结果,从而避免了因长时间运行任务而导致的 ANR(Application Not Responding...

    AsyncTask结合HttpUrlConnection的例子

    在Android开发中,异步处理是非常重要的一环,特别是在与服务器进行数据交互时,为了保持UI线程的流畅性,避免出现"应用无响应"(ANR)的情况,开发者通常会使用`AsyncTask`。本例子是关于如何将`AsyncTask`与`...

    android中AsyncTask的用法

    在Android应用开发中,AsyncTask是一个用于在后台线程执行耗时操作并更新UI的工具类,它是Android 1.5版本引入的。AsyncTask的设计初衷是为了简化异步编程,避免直接操作线程和Handler带来的复杂性。下面我们将详细...

    Android AsyncTask异步处理下载网页

    Android提供了一种便捷的机制,名为`AsyncTask`,用于在后台线程执行这些任务,同时允许在主线程更新UI。`AsyncTask`是一个轻量级的框架,设计用来简化在Android应用程序中进行后台操作的过程。 `AsyncTask`包含三...

    android任务后台处理 asyncTask封装

    `AsyncTask`是Android提供的一种轻量级的异步处理机制,它能让我们在后台线程执行耗时操作,并在完成后更新主线程中的UI。下面我们将深入探讨`AsyncTask`的工作原理及其封装方法。 `AsyncTask`的核心在于三个泛型...

    异步任务AsyncTask

    在Android开发中,异步任务(AsyncTask)是一种常见的处理耗时操作的方式,尤其是...不过,对于复杂的后台任务,建议使用其他更强大的解决方案,如`IntentService`、`JobScheduler`或现代的`LiveData`和`Coroutines`。

    01_AsyncTask_演示线程阻塞

    `AsyncTask`是Android提供的一种轻量级的异步任务处理框架,它允许开发者在后台线程执行耗时操作,然后在UI线程更新结果,避免了阻塞主线程导致的ANR(Application Not Responding)问题。这篇我们将深入探讨`...

    Android 线程AsyncTask逐步在list中加入条目

    `AsyncTask`是Android提供的一种轻量级的多线程解决方案,特别适用于更新UI的操作。在这个例子中,我们将深入探讨如何使用`AsyncTask`来动态地在ListView中添加条目。 首先,让我们理解`AsyncTask`的基本结构。`...

    一个AsyncTask的Demo

    AsyncTask是Android平台中用于在后台执行耗时操作并更新UI的一种工具类。它主要设计用来简化异步处理,特别是那些需要与用户界面交互的任务。在这个"AsyncTask的Demo"中,我们将深入探讨AsyncTask的工作原理及其核心...

    AsyncTask小练习

    为了解决这个问题,Android提供了AsyncTask,它能方便地在线程池中执行后台任务,并在完成后更新UI。 AsyncTask包含三个泛型参数,分别代表了三个步骤的数据类型: 1. `Params`:表示在后台任务执行前可以输入的...

    AsyncTask练习demo

    AsyncTask是Android中一个用于在后台线程执行耗时操作并更新UI的工具类,它非常适合处理轻量级的异步任务。在这个"AsyncTask练习demo"中,我们可以深入理解和学习如何有效地使用AsyncTask。 首先,AsyncTask有三个...

    AsyncTask下载网络图片

    此外,由于`AsyncTask`的生命周期与Activity绑定,当Activity被销毁时,正在执行的`AsyncTask`可能引发内存泄漏,因此在Activity的`onDestroy()`方法中,应取消所有正在进行的任务。 总结,通过`AsyncTask`下载网络...

    AsyncTask的示例代码

    AsyncTask是Android开发中用于在后台执行任务并更新UI的重要工具。它允许开发者在主线程之外执行耗时操作,如网络请求、数据库操作等,同时能够方便地在工作完成时更新UI,避免了直接在主线程中进行这些操作导致的...

    AsyncTask异步任务三.rar

    AsyncTask使开发者能够轻松地在后台线程执行耗时操作,然后在主线程更新UI,避免了因长时间阻塞主线程而引发的ANR(Application Not Responding)错误。下面我们将详细探讨AsyncTask的工作原理、使用方法以及其在...

    Android开发之AsyncTask机制及使用细节例子源码

    首先,Android系统为了解决长时间运行的任务在主线程执行导致的UI冻结问题,提供了AsyncTask。AsyncTask分为三个基本步骤:onPreExecute()、doInBackground()和onPostExecute()。 1. **onPreExecute()**:这是在...

    AsyncTask源码

    最新AsyncTask源码

    封装AsyncTask

    因此,Android引入了AsyncTask来解决这个问题。 封装AsyncTask的目的是为了让使用更加简单、直观,减少重复代码,提高代码复用性。通常,封装会包括以下关键部分: 1. **定义AsyncTask类**:创建一个继承自...

    AsyncTask 的使用

    - 当Activity销毁时,应取消正在执行或等待执行的AsyncTask,防止引发异常。 在`AsyncTaskPractice`这个项目中,你可以看到如何创建和使用AsyncTask的实例,以及如何处理网络请求和进度更新的具体实现。通过分析源...

Global site tag (gtag.js) - Google Analytics