Android Bolts - Easier thread scheduling and task management

Android Bolts - Easier thread scheduling and task management

Usain St Leo Bolt is a Jamaican sprinter, world record holder for the men's 100m, men's 200m and men's 400m relay, and winner of three consecutive Olympic gold medals in the above three events.

[[210857]]

Bolts can be used to split a complete operation into multiple subtasks. These subtasks can be freely split, combined and replaced. Each task can run in a specified thread as a link in the entire task chain. At the same time, it can obtain task results from upstream tasks and publish the results of the current task to downstream tasks without considering the interaction between threads.

Bolts-Android Bolts implementation in Android Bolts-ObjC Bolts implementation in OC Bolts-Swift Bolts implementation in Swift

Preface

A simple requirement for thread scheduling. The child thread downloads a picture from the network and returns the downloaded picture. The main thread uses the picture to update the UI and returns the current UI status json. The child thread saves the json data to a local file and pops up a prompt on the main thread after completion. This involves 4 thread switches, and the subsequent tasks require the return value of the previous task as a parameter.

Using Thread + Handler implementation, thread scheduling is very inflexible, the code is not readable, not beautiful, has poor scalability, and error handling is very troublesome.

  1. String url = "http://www.baidu.com" ;
  2. Handler handler = new Handler(Looper.getMainLooper());
  3. new Thread(() -> {
  4. // download
  5. Bitmap bitmap = downloadBitmap(url);
  6. handler.post(() -> {
  7. // Update the UI
  8. String json = updateUI(bitmap);
  9. new Thread(() -> {
  10. // Write UI state to storage
  11. saveUIState(json);
  12. // After saving successfully, prompt
  13. handler.post(() -> toastMsg( "save finish." ));
  14. }).start();
  15. });
  16. }).start();

Using RxJava, thread scheduling is very flexible, chain calling, clear code, good scalability, and a unified exception handling mechanism. However, Rx is a very powerful library. If it is only used for thread scheduling, Rx is a bit too heavy.

  1. Observable.just(URL)
  2. // download
  3. .map(this::downloadBitmap)
  4. .subscribeOn(Schedulers.newThread())
  5. // Update the UI
  6. .observeOn(AndroidSchedulers.mainThread())
  7. .map(this::updateUI)
  8. // Store UI state
  9. .observeOn(Schedulers.io())
  10. .map(this::saveUIState)
  11. // Display prompt
  12. .observeOn(AndroidSchedulers.mainThread())
  13. .subscribe(rst -> toastMsg( "save to " + rst),
  14. //handle error
  15. Throwable::printStackTrace);

It is implemented using bolts, with flexible thread scheduling, chain calls, clear code, good scalability, and a unified exception handling mechanism. Although it does not have as many operators as Rx, it wins in that the class library is very, very small, only 38 KB.

  1. Task
  2. .forResult(URL)
  3. // download
  4. .onSuccess(task -> downloadBitmap(task.getResult()), Task.BACKGROUND_EXECUTOR)
  5. // Update the UI
  6. .onSuccess(task -> updateUI(task.getResult()), Task.UI_THREAD_EXECUTOR)
  7. // Store UI state
  8. .onSuccess(task -> saveUIState(task.getResult()), Task.BACKGROUND_EXECUTOR)
  9. // hint
  10. .onSuccess(task -> toastMsg( "save to " + task.getResult()), Task.UI_THREAD_EXECUT
  11. // handle error
  12. .continueWith(task -> {
  13. if (task.isFaulted()) {
  14. task.getError().printStackTrace();
  15. return   false ;
  16. }
  17. return   true ;
  18. });

Thread Scheduler

There are 4 types of execution threads, which distribute tasks to specified threads for execution, namely

  1. backgroud - Background thread pool that can execute tasks concurrently.
  2. scheduled - Single thread pool, with only one thread, mainly used to perform delay operations.
  3. immediate - immediate thread. If the thread call stack is less than 15, it is executed in the current thread, otherwise it is delegated to the background.
  4. uiThread - Designed for Android, uses Handler to send to the main thread for execution.

background

Mainly used to perform multiple tasks concurrently in the background

  1. public   static final ExecutorService BACKGROUND_EXECUTOR = BoltsExecutors.background();

On the Android platform, a thread pool is created based on the number of CPU cores. In other cases, a cache thread pool is created.

  1. background = !isAndroidRuntime()
  2. ? java.util.concurrent.Executors.newCachedThreadPool()
  3. : AndroidExecutors.newCachedThreadPool();

scheduled

It is mainly used to delay operations between tasks and does not actually execute tasks.

  1. scheduled = Executors.newSingleThreadScheduledExecutor();

immediate

It is mainly used to simplify methods that do not specify the running thread. By default, the task is executed in the current thread. ThreadLocal is used to save the depth of each thread call stack. If the depth does not exceed 15, it is executed in the current thread, otherwise it is delegated to the background for execution.

  1. private static final Executor IMMEDIATE_EXECUTOR = BoltsExecutors.immediate();
  2.  
  3. //Key methods
  4. @Override
  5. public void execute (Runnable command) {
  6. int depth = incrementDepth();
  7. try {
  8. if (depth <= MAX_DEPTH) {
  9. command.run();
  10. } else {
  11. BoltsExecutors.background(). execute (command)
  12. }
  13. finally
  14. decrementDepth();
  15. }
  16. }

uiThread

Designed specifically for Android, it executes tasks on the main thread.

  1. public   static final Executor UI_THREAD_EXECUTOR = AndroidExecutors.uiThread();

  1. private static class UIThreadExecutor implements Executor {
  2. @Override
  3. public void execute (Runnable command) {
  4. new Handler(Looper.getMainLooper()).post(command);
  5. }
  6. }

Core Classes

Task is the core class. Each subtask is a Task, which is responsible for the tasks it needs to perform. Each Task has three states: Result, Error and Cancel, representing success, exception and cancellation respectively.

Continuation is an interface that acts like a lock that links each link of the subtask, linking independent tasks together.

A complete task chain is formed in the form of Task - Continuation - Task - Continuation ... and executed sequentially in each thread.

Create Task

According to the three states of Task, create a simple Task and reuse the existing task object

  1. public   static <TResult> Task<TResult> forResult(TResult value)  
  2. public   static <TResult> Task<TResult> forError(Exception error)  
  3. public   static <TResult> Task<TResult> canceled()

Use the delay method to delay execution and create a Task

  1. public   static Task delay(long delay)  
  2. public   static Task delay(long delay, CancellationToken cancellationToken)

Use the whenAny method to execute multiple tasks and save the result when any task returns a result

  1. public   static Task> whenAnyResult(Collection> tasks)  
  2. public   static Task> whenAny(Collection> tasks)

Use the whenAll method to execute multiple tasks and return the results when all tasks are completed.

  1. public   static Task whenAll(Collection> tasks)  
  2. public   static Task> whenAllResult(final Collection> tasks)

Use the call method to execute a task and create a Task at the same time

  1. public   static Task call(final Callable callable, Executor executor,  
  2. final CancellationToken ct)

Linking subtasks

Use the continueWith method to link a subtask. If the previous task has been completed, the current task will be executed immediately. Otherwise, it will be added to the queue and wait.

  1. public <TContinuationResult> Task<TContinuationResult> continueWith(
  2. final Continuation<TResult, TContinuationResult> continuation, final Executor executor,
  3. final CancellationToken ct)

Use the continueWithTask method to link another task chain after the current task. This approach is to meet the scenario of combining some tasks together and separating them as public tasks. It accepts another completely independent task chain to be appended after the currently executed task.

  1. public <TContinuationResult> Task<TContinuationResult> continueWithTask(
  2. final Continuation<TResult, Task<TContinuationResult>> continuation, final Executor executor,
  3. final CancellationToken ct)

Use the continueWhile method to chain subtasks. The difference from continueWith is that it has a predicate expression. Only when the expression is true will the subtask be appended. This allows an interception operation to be performed before executing the task, and also to avoid destroying the overall style of chain calls.

  1. public Task<Void> continueWhile(final Callable<Boolean> predicate,
  2. final Continuation<Void, Task<Void>> continuation, final Executor executor,
  3. final CancellationToken ct)

Use onSuccess and onSuccessTask to link a single task to a task chain. The difference from continueWith is that in the onSuccess method, if the previous task fails, the subsequent task will also fail directly and will not be executed again. However, there is no connection between the subtasks of continueWith. Even if the previous task fails, the subsequent task will be executed.

  1. public <TContinuationResult> Task<TContinuationResult> onSuccess(
  2. final Continuation<TResult, TContinuationResult> continuation, Executor executor,
  3. final CancellationToken ct)

Cancel a task

  1. CancellationTokenSource cancellationTokenSource = new CancellationTokenSource();
  2. CancellationToken token = cancellationTokenSource.getToken();
  3. Task.call((Callable<String>) () -> null ,
  4. Task.BACKGROUND_EXECUTOR,
  5. token);
  6. // Cancel the task
  7. cancellationTokenSource.cancel();

Exception handling

Regarding exception handling, in the entire mechanism, each task is treated as an independent unit, and exceptions will be captured uniformly, so there is no need to handle the methods in the task separately.

If continueWith is used to link tasks, the exception information of the current task will be saved in the current Task and processed in the downstream task. The downstream task can also not handle the exception and directly execute the task. In this case, the exception stops here and will not be passed down. In other words, only the downstream task knows the result of the current task, whether it is success or exception.

Of course, if there is a relationship between tasks, since the abnormality of the upstream task is very likely to cause the abnormality of the current task, the information of the abnormality of the current task will be passed downward, but the abnormality of the upstream task will stop here.

If you use methods such as onSuccess, if the upstream task is abnormal, the downstream task will not be executed at all, but the exception will be passed directly downward until it is handled.

Separation and combination of tasks

We can break down a complete operation into multiple tasks. Each task follows the principle of single responsibility and is as simple as possible. In this way, new tasks can be inserted between tasks, or some tasks can be separated and combined together.

Scalability

We can add a new operation between the two subdivided tasks without affecting the upstream and downstream tasks, such as saving the Bitmap locally before updating the UI in the requirements at the beginning of the article.

  1. Task
  2. .forResult(URL)
  3. // download
  4. .onSuccess(task -> downloadBitmap(task.getResult()), Task.BACKGROUND_EXECUTOR)
  5. // Save locally
  6. .onSuccess(task -> saveBitmapToFile(task.getResult()),Task.BACKGROUND_EXECUTOR)
  7. // Update the UI
  8. .onSuccess(task -> updateUI(task.getResult()), Task.UI_THREAD_EXECUTOR)
  9. ...

Reusability

Some common operations can be separated into new tasks. When similar operations are needed, these functions can be reused. For example, the two functions of downloading pictures and updating the UI and saving status and popping up prompts can be separated as common tasks.

  1. // Download image -> Update UI
  2. public Continuation<String, Task<String>> downloadImageAndUpdateUI() {
  3. return task ->
  4. Task.call(() -> downloadBitmap(task.getResult()), Task.BACKGROUND_EXECUTOR)
  5. .continueWith(taskWithBitmap -> updateUI(taskWithBitmap.getResult()), Task.UI_THREAD_EXECUTOR);
  6. }
  7.  
  8. // Save status->prompt information
  9. public Continuation<String, Task<Boolean>> saveStateAndToast() {
  10. return task ->
  11. Task.call(() -> saveUIState(task.getResult()), Task.BACKGROUND_EXECUTOR)
  12. .continueWith(taskWithPath -> toastMsg( "save to " + taskWithPath.getResult()));
  13. }

Using separate tasks

  1. Task
  2. .forResult(URL)
  3. .continueWithTask(downloadImageAndUpdateUI())
  4. .continueWithTask(saveStateAndToast())
  5. ...

Summarize

In Task, there is a continuation, which is a list of tasks appended to the current task. When the current task succeeds, fails, or is canceled, the subsequent tasks in the list will be executed.

Normally, we use chain calls to build a task chain, and the result is a task chain without branches.

When adding tasks: Each time a Continuation is added, a Task is generated and added to the continuations list of the upstream task, waiting to be executed, and the current Task is returned so that the subsequent tasks can be linked to the current task.

When executing tasks: After the current task is executed, there may be 3 kinds of results, all of which will be saved in the current Task, and then the subsequent tasks in the continuations list will be checked, and the current Task will be passed as a parameter to the subsequent linked tasks to let the subsequent tasks know the results of the upstream tasks.

<<:  Alipay's competition with WeChat in China is rapidly cooling down, but its overseas battle is getting more intense. What are the two Ma's fighting over?

>>:  Live | B&Q front-end architect Chen Guoxing: How to build isomorphic applications using React

Recommend

How to promote products with the help of KOLs on Xiaohongshu?

With the rise of awareness among the new generati...

Analysis of JD.com’s flash sales products

Various e-commerce software will have some specia...

The most complete guide to live streaming sales: KOL placement strategy!

The framework is as follows: 1. What is the real ...

How to arrange external links on a website to achieve obvious results?

What kind of external link strategy can have obvi...

How to add words after tap on WeChat? Tutorial on adding text after tap

How can I add longer text after tapping on WeChat...

Case analysis: Wedding photography advertising case in WeChat Moments!

With the continuous evolution of consumption upgr...

Product and user operation method system (I)

As an operator, we constantly optimize the intera...

Hearthstone designer: Only by making the game you want to make can you succeed

The success of Hearthstone once again proves that...

I have compiled 20 types of advertising formats for media apps

Advertising is the main source of commercial reve...

How to operate a (product) APP?

This article is a summary of novice operations . ...

Google's 20 rules for developers

[[133902]] For developers, everyone hopes that th...