1 /* 2 * Copyright (C) 2006 The Android Open Source Project 3 * 4 * Licensed under the Apache License, Version 2.0 (the "License"); 5 * you may not use this file except in compliance with the License. 6 * You may obtain a copy of the License at 7 * 8 * http://www.apache.org/licenses/LICENSE-2.0 9 * 10 * Unless required by applicable law or agreed to in writing, software 11 * distributed under the License is distributed on an "AS IS" BASIS, 12 * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. 13 * See the License for the specific language governing permissions and 14 * limitations under the License. 15 */ 16 17 package android.os; 18 19 import android.annotation.NonNull; 20 import android.annotation.Nullable; 21 import android.compat.annotation.UnsupportedAppUsage; 22 import android.util.Log; 23 import android.util.Printer; 24 25 import java.lang.reflect.Modifier; 26 27 /** 28 * A Handler allows you to send and process {@link Message} and Runnable 29 * objects associated with a thread's {@link MessageQueue}. Each Handler 30 * instance is associated with a single thread and that thread's message 31 * queue. When you create a new Handler it is bound to a {@link Looper}. 32 * It will deliver messages and runnables to that Looper's message 33 * queue and execute them on that Looper's thread. 34 * 35 * <p>There are two main uses for a Handler: (1) to schedule messages and 36 * runnables to be executed at some point in the future; and (2) to enqueue 37 * an action to be performed on a different thread than your own. 38 * 39 * <p>Scheduling messages is accomplished with the 40 * {@link #post}, {@link #postAtTime(Runnable, long)}, 41 * {@link #postDelayed}, {@link #sendEmptyMessage}, 42 * {@link #sendMessage}, {@link #sendMessageAtTime}, and 43 * {@link #sendMessageDelayed} methods. The <em>post</em> versions allow 44 * you to enqueue Runnable objects to be called by the message queue when 45 * they are received; the <em>sendMessage</em> versions allow you to enqueue 46 * a {@link Message} object containing a bundle of data that will be 47 * processed by the Handler's {@link #handleMessage} method (requiring that 48 * you implement a subclass of Handler). 49 * 50 * <p>When posting or sending to a Handler, you can either 51 * allow the item to be processed as soon as the message queue is ready 52 * to do so, or specify a delay before it gets processed or absolute time for 53 * it to be processed. The latter two allow you to implement timeouts, 54 * ticks, and other timing-based behavior. 55 * 56 * <p>When a 57 * process is created for your application, its main thread is dedicated to 58 * running a message queue that takes care of managing the top-level 59 * application objects (activities, broadcast receivers, etc) and any windows 60 * they create. You can create your own threads, and communicate back with 61 * the main application thread through a Handler. This is done by calling 62 * the same <em>post</em> or <em>sendMessage</em> methods as before, but from 63 * your new thread. The given Runnable or Message will then be scheduled 64 * in the Handler's message queue and processed when appropriate. 65 */ 66 public class Handler { 67 /* 68 * Set this flag to true to detect anonymous, local or member classes 69 * that extend this Handler class and that are not static. These kind 70 * of classes can potentially create leaks. 71 */ 72 private static final boolean FIND_POTENTIAL_LEAKS = false; 73 private static final String TAG = "Handler"; 74 private static Handler MAIN_THREAD_HANDLER = null; 75 76 /** 77 * Callback interface you can use when instantiating a Handler to avoid 78 * having to implement your own subclass of Handler. 79 */ 80 public interface Callback { 81 /** 82 * @param msg A {@link android.os.Message Message} object 83 * @return True if no further handling is desired 84 */ handleMessage(@onNull Message msg)85 boolean handleMessage(@NonNull Message msg); 86 } 87 88 /** 89 * Subclasses must implement this to receive messages. 90 */ handleMessage(@onNull Message msg)91 public void handleMessage(@NonNull Message msg) { 92 } 93 94 /** 95 * Handle system messages here. 96 */ dispatchMessage(@onNull Message msg)97 public void dispatchMessage(@NonNull Message msg) { 98 if (msg.callback != null) { 99 handleCallback(msg); 100 } else { 101 if (mCallback != null) { 102 if (mCallback.handleMessage(msg)) { 103 return; 104 } 105 } 106 handleMessage(msg); 107 } 108 } 109 110 /** 111 * Default constructor associates this handler with the {@link Looper} for the 112 * current thread. 113 * 114 * If this thread does not have a looper, this handler won't be able to receive messages 115 * so an exception is thrown. 116 * 117 * @deprecated Implicitly choosing a Looper during Handler construction can lead to bugs 118 * where operations are silently lost (if the Handler is not expecting new tasks and quits), 119 * crashes (if a handler is sometimes created on a thread without a Looper active), or race 120 * conditions, where the thread a handler is associated with is not what the author 121 * anticipated. Instead, use an {@link java.util.concurrent.Executor} or specify the Looper 122 * explicitly, using {@link Looper#getMainLooper}, {link android.view.View#getHandler}, or 123 * similar. If the implicit thread local behavior is required for compatibility, use 124 * {@code new Handler(Looper.myLooper())} to make it clear to readers. 125 * 126 */ 127 @Deprecated Handler()128 public Handler() { 129 this(null, false); 130 } 131 132 /** 133 * Constructor associates this handler with the {@link Looper} for the 134 * current thread and takes a callback interface in which you can handle 135 * messages. 136 * 137 * If this thread does not have a looper, this handler won't be able to receive messages 138 * so an exception is thrown. 139 * 140 * @param callback The callback interface in which to handle messages, or null. 141 * 142 * @deprecated Implicitly choosing a Looper during Handler construction can lead to bugs 143 * where operations are silently lost (if the Handler is not expecting new tasks and quits), 144 * crashes (if a handler is sometimes created on a thread without a Looper active), or race 145 * conditions, where the thread a handler is associated with is not what the author 146 * anticipated. Instead, use an {@link java.util.concurrent.Executor} or specify the Looper 147 * explicitly, using {@link Looper#getMainLooper}, {link android.view.View#getHandler}, or 148 * similar. If the implicit thread local behavior is required for compatibility, use 149 * {@code new Handler(Looper.myLooper(), callback)} to make it clear to readers. 150 */ 151 @Deprecated Handler(@ullable Callback callback)152 public Handler(@Nullable Callback callback) { 153 this(callback, false); 154 } 155 156 /** 157 * Use the provided {@link Looper} instead of the default one. 158 * 159 * @param looper The looper, must not be null. 160 */ Handler(@onNull Looper looper)161 public Handler(@NonNull Looper looper) { 162 this(looper, null, false); 163 } 164 165 /** 166 * Use the provided {@link Looper} instead of the default one and take a callback 167 * interface in which to handle messages. 168 * 169 * @param looper The looper, must not be null. 170 * @param callback The callback interface in which to handle messages, or null. 171 */ Handler(@onNull Looper looper, @Nullable Callback callback)172 public Handler(@NonNull Looper looper, @Nullable Callback callback) { 173 this(looper, callback, false); 174 } 175 176 /** 177 * Use the {@link Looper} for the current thread 178 * and set whether the handler should be asynchronous. 179 * 180 * Handlers are synchronous by default unless this constructor is used to make 181 * one that is strictly asynchronous. 182 * 183 * Asynchronous messages represent interrupts or events that do not require global ordering 184 * with respect to synchronous messages. Asynchronous messages are not subject to 185 * the synchronization barriers introduced by {@link MessageQueue#enqueueSyncBarrier(long)}. 186 * 187 * @param async If true, the handler calls {@link Message#setAsynchronous(boolean)} for 188 * each {@link Message} that is sent to it or {@link Runnable} that is posted to it. 189 * 190 * @hide 191 */ 192 @UnsupportedAppUsage(maxTargetSdk = Build.VERSION_CODES.R, trackingBug = 170729553) Handler(boolean async)193 public Handler(boolean async) { 194 this(null, async); 195 } 196 197 /** 198 * Use the {@link Looper} for the current thread with the specified callback interface 199 * and set whether the handler should be asynchronous. 200 * 201 * Handlers are synchronous by default unless this constructor is used to make 202 * one that is strictly asynchronous. 203 * 204 * Asynchronous messages represent interrupts or events that do not require global ordering 205 * with respect to synchronous messages. Asynchronous messages are not subject to 206 * the synchronization barriers introduced by {@link MessageQueue#enqueueSyncBarrier(long)}. 207 * 208 * @param callback The callback interface in which to handle messages, or null. 209 * @param async If true, the handler calls {@link Message#setAsynchronous(boolean)} for 210 * each {@link Message} that is sent to it or {@link Runnable} that is posted to it. 211 * 212 * @hide 213 */ Handler(@ullable Callback callback, boolean async)214 public Handler(@Nullable Callback callback, boolean async) { 215 if (FIND_POTENTIAL_LEAKS) { 216 final Class<? extends Handler> klass = getClass(); 217 if ((klass.isAnonymousClass() || klass.isMemberClass() || klass.isLocalClass()) && 218 (klass.getModifiers() & Modifier.STATIC) == 0) { 219 Log.w(TAG, "The following Handler class should be static or leaks might occur: " + 220 klass.getCanonicalName()); 221 } 222 } 223 224 mLooper = Looper.myLooper(); 225 if (mLooper == null) { 226 throw new RuntimeException( 227 "Can't create handler inside thread " + Thread.currentThread() 228 + " that has not called Looper.prepare()"); 229 } 230 mQueue = mLooper.mQueue; 231 mCallback = callback; 232 mAsynchronous = async; 233 mIsShared = false; 234 } 235 236 /** 237 * Use the provided {@link Looper} instead of the default one and take a callback 238 * interface in which to handle messages. Also set whether the handler 239 * should be asynchronous. 240 * 241 * Handlers are synchronous by default unless this constructor is used to make 242 * one that is strictly asynchronous. 243 * 244 * Asynchronous messages represent interrupts or events that do not require global ordering 245 * with respect to synchronous messages. Asynchronous messages are not subject to 246 * the synchronization barriers introduced by conditions such as display vsync. 247 * 248 * @param looper The looper, must not be null. 249 * @param callback The callback interface in which to handle messages, or null. 250 * @param async If true, the handler calls {@link Message#setAsynchronous(boolean)} for 251 * each {@link Message} that is sent to it or {@link Runnable} that is posted to it. 252 * 253 * @hide 254 */ 255 @UnsupportedAppUsage Handler(@onNull Looper looper, @Nullable Callback callback, boolean async)256 public Handler(@NonNull Looper looper, @Nullable Callback callback, boolean async) { 257 this(looper, callback, async, /* shared= */ false); 258 } 259 260 /** @hide */ Handler(@onNull Looper looper, @Nullable Callback callback, boolean async, boolean shared)261 public Handler(@NonNull Looper looper, @Nullable Callback callback, boolean async, 262 boolean shared) { 263 mLooper = looper; 264 mQueue = looper.mQueue; 265 mCallback = callback; 266 mAsynchronous = async; 267 mIsShared = shared; 268 } 269 270 /** 271 * Create a new Handler whose posted messages and runnables are not subject to 272 * synchronization barriers such as display vsync. 273 * 274 * <p>Messages sent to an async handler are guaranteed to be ordered with respect to one another, 275 * but not necessarily with respect to messages from other Handlers.</p> 276 * 277 * @see #createAsync(Looper, Callback) to create an async Handler with custom message handling. 278 * 279 * @param looper the Looper that the new Handler should be bound to 280 * @return a new async Handler instance 281 */ 282 @NonNull createAsync(@onNull Looper looper)283 public static Handler createAsync(@NonNull Looper looper) { 284 if (looper == null) throw new NullPointerException("looper must not be null"); 285 return new Handler(looper, null, true); 286 } 287 288 /** 289 * Create a new Handler whose posted messages and runnables are not subject to 290 * synchronization barriers such as display vsync. 291 * 292 * <p>Messages sent to an async handler are guaranteed to be ordered with respect to one another, 293 * but not necessarily with respect to messages from other Handlers.</p> 294 * 295 * @see #createAsync(Looper) to create an async Handler without custom message handling. 296 * 297 * @param looper the Looper that the new Handler should be bound to 298 * @return a new async Handler instance 299 */ 300 @NonNull createAsync(@onNull Looper looper, @NonNull Callback callback)301 public static Handler createAsync(@NonNull Looper looper, @NonNull Callback callback) { 302 if (looper == null) throw new NullPointerException("looper must not be null"); 303 if (callback == null) throw new NullPointerException("callback must not be null"); 304 return new Handler(looper, callback, true); 305 } 306 307 /** @hide */ 308 @UnsupportedAppUsage(maxTargetSdk = Build.VERSION_CODES.R, trackingBug = 170729553) 309 @NonNull getMain()310 public static Handler getMain() { 311 if (MAIN_THREAD_HANDLER == null) { 312 MAIN_THREAD_HANDLER = new Handler(Looper.getMainLooper()); 313 } 314 return MAIN_THREAD_HANDLER; 315 } 316 317 /** @hide */ 318 @NonNull mainIfNull(@ullable Handler handler)319 public static Handler mainIfNull(@Nullable Handler handler) { 320 return handler == null ? getMain() : handler; 321 } 322 323 /** {@hide} */ 324 @NonNull getTraceName(@onNull Message message)325 public String getTraceName(@NonNull Message message) { 326 if (message.callback instanceof TraceNameSupplier) { 327 return ((TraceNameSupplier) message.callback).getTraceName(); 328 } 329 330 final StringBuilder sb = new StringBuilder(); 331 sb.append(getClass().getName()).append(": "); 332 if (message.callback != null) { 333 sb.append(message.callback.getClass().getName()); 334 } else { 335 sb.append("#").append(message.what); 336 } 337 return sb.toString(); 338 } 339 340 /** 341 * Returns a string representing the name of the specified message. 342 * The default implementation will either return the class name of the 343 * message callback if any, or the hexadecimal representation of the 344 * message "what" field. 345 * 346 * @param message The message whose name is being queried 347 */ 348 @NonNull getMessageName(@onNull Message message)349 public String getMessageName(@NonNull Message message) { 350 if (message.callback != null) { 351 return message.callback.getClass().getName(); 352 } 353 return "0x" + Integer.toHexString(message.what); 354 } 355 356 /** 357 * Returns a new {@link android.os.Message Message} from the global message pool. More efficient than 358 * creating and allocating new instances. The retrieved message has its handler set to this instance (Message.target == this). 359 * If you don't want that facility, just call Message.obtain() instead. 360 */ 361 @NonNull obtainMessage()362 public final Message obtainMessage() 363 { 364 return Message.obtain(this); 365 } 366 367 /** 368 * Same as {@link #obtainMessage()}, except that it also sets the what member of the returned Message. 369 * 370 * @param what Value to assign to the returned Message.what field. 371 * @return A Message from the global message pool. 372 */ 373 @NonNull obtainMessage(int what)374 public final Message obtainMessage(int what) 375 { 376 return Message.obtain(this, what); 377 } 378 379 /** 380 * 381 * Same as {@link #obtainMessage()}, except that it also sets the what and obj members 382 * of the returned Message. 383 * 384 * @param what Value to assign to the returned Message.what field. 385 * @param obj Value to assign to the returned Message.obj field. 386 * @return A Message from the global message pool. 387 */ 388 @NonNull obtainMessage(int what, @Nullable Object obj)389 public final Message obtainMessage(int what, @Nullable Object obj) { 390 return Message.obtain(this, what, obj); 391 } 392 393 /** 394 * 395 * Same as {@link #obtainMessage()}, except that it also sets the what, arg1 and arg2 members of the returned 396 * Message. 397 * @param what Value to assign to the returned Message.what field. 398 * @param arg1 Value to assign to the returned Message.arg1 field. 399 * @param arg2 Value to assign to the returned Message.arg2 field. 400 * @return A Message from the global message pool. 401 */ 402 @NonNull obtainMessage(int what, int arg1, int arg2)403 public final Message obtainMessage(int what, int arg1, int arg2) 404 { 405 return Message.obtain(this, what, arg1, arg2); 406 } 407 408 /** 409 * 410 * Same as {@link #obtainMessage()}, except that it also sets the what, obj, arg1,and arg2 values on the 411 * returned Message. 412 * @param what Value to assign to the returned Message.what field. 413 * @param arg1 Value to assign to the returned Message.arg1 field. 414 * @param arg2 Value to assign to the returned Message.arg2 field. 415 * @param obj Value to assign to the returned Message.obj field. 416 * @return A Message from the global message pool. 417 */ 418 @NonNull obtainMessage(int what, int arg1, int arg2, @Nullable Object obj)419 public final Message obtainMessage(int what, int arg1, int arg2, @Nullable Object obj) { 420 return Message.obtain(this, what, arg1, arg2, obj); 421 } 422 423 /** 424 * Causes the Runnable r to be added to the message queue. 425 * The runnable will be run on the thread to which this handler is 426 * attached. 427 * 428 * @param r The Runnable that will be executed. 429 * 430 * @return Returns true if the Runnable was successfully placed in to the 431 * message queue. Returns false on failure, usually because the 432 * looper processing the message queue is exiting. 433 */ post(@onNull Runnable r)434 public final boolean post(@NonNull Runnable r) { 435 return sendMessageDelayed(getPostMessage(r), 0); 436 } 437 438 /** 439 * Causes the Runnable r to be added to the message queue, to be run 440 * at a specific time given by <var>uptimeMillis</var>. 441 * <b>The time-base is {@link android.os.SystemClock#uptimeMillis}.</b> 442 * Time spent in deep sleep will add an additional delay to execution. 443 * The runnable will be run on the thread to which this handler is attached. 444 * 445 * @param r The Runnable that will be executed. 446 * @param uptimeMillis The absolute time at which the callback should run, 447 * using the {@link android.os.SystemClock#uptimeMillis} time-base. 448 * 449 * @return Returns true if the Runnable was successfully placed in to the 450 * message queue. Returns false on failure, usually because the 451 * looper processing the message queue is exiting. Note that a 452 * result of true does not mean the Runnable will be processed -- if 453 * the looper is quit before the delivery time of the message 454 * occurs then the message will be dropped. 455 */ postAtTime(@onNull Runnable r, long uptimeMillis)456 public final boolean postAtTime(@NonNull Runnable r, long uptimeMillis) { 457 return sendMessageAtTime(getPostMessage(r), uptimeMillis); 458 } 459 460 /** 461 * Causes the Runnable r to be added to the message queue, to be run 462 * at a specific time given by <var>uptimeMillis</var>. 463 * <b>The time-base is {@link android.os.SystemClock#uptimeMillis}.</b> 464 * Time spent in deep sleep will add an additional delay to execution. 465 * The runnable will be run on the thread to which this handler is attached. 466 * 467 * @param r The Runnable that will be executed. 468 * @param token An instance which can be used to cancel {@code r} via 469 * {@link #removeCallbacksAndMessages}. 470 * @param uptimeMillis The absolute time at which the callback should run, 471 * using the {@link android.os.SystemClock#uptimeMillis} time-base. 472 * 473 * @return Returns true if the Runnable was successfully placed in to the 474 * message queue. Returns false on failure, usually because the 475 * looper processing the message queue is exiting. Note that a 476 * result of true does not mean the Runnable will be processed -- if 477 * the looper is quit before the delivery time of the message 478 * occurs then the message will be dropped. 479 * 480 * @see android.os.SystemClock#uptimeMillis 481 */ postAtTime( @onNull Runnable r, @Nullable Object token, long uptimeMillis)482 public final boolean postAtTime( 483 @NonNull Runnable r, @Nullable Object token, long uptimeMillis) { 484 return sendMessageAtTime(getPostMessage(r, token), uptimeMillis); 485 } 486 487 /** 488 * Causes the Runnable r to be added to the message queue, to be run 489 * after the specified amount of time elapses. 490 * The runnable will be run on the thread to which this handler 491 * is attached. 492 * <b>The time-base is {@link android.os.SystemClock#uptimeMillis}.</b> 493 * Time spent in deep sleep will add an additional delay to execution. 494 * 495 * @param r The Runnable that will be executed. 496 * @param delayMillis The delay (in milliseconds) until the Runnable 497 * will be executed. 498 * 499 * @return Returns true if the Runnable was successfully placed in to the 500 * message queue. Returns false on failure, usually because the 501 * looper processing the message queue is exiting. Note that a 502 * result of true does not mean the Runnable will be processed -- 503 * if the looper is quit before the delivery time of the message 504 * occurs then the message will be dropped. 505 */ postDelayed(@onNull Runnable r, long delayMillis)506 public final boolean postDelayed(@NonNull Runnable r, long delayMillis) { 507 return sendMessageDelayed(getPostMessage(r), delayMillis); 508 } 509 510 /** @hide */ postDelayed(Runnable r, int what, long delayMillis)511 public final boolean postDelayed(Runnable r, int what, long delayMillis) { 512 return sendMessageDelayed(getPostMessage(r).setWhat(what), delayMillis); 513 } 514 515 /** 516 * Causes the Runnable r to be added to the message queue, to be run 517 * after the specified amount of time elapses. 518 * The runnable will be run on the thread to which this handler 519 * is attached. 520 * <b>The time-base is {@link android.os.SystemClock#uptimeMillis}.</b> 521 * Time spent in deep sleep will add an additional delay to execution. 522 * 523 * @param r The Runnable that will be executed. 524 * @param token An instance which can be used to cancel {@code r} via 525 * {@link #removeCallbacksAndMessages}. 526 * @param delayMillis The delay (in milliseconds) until the Runnable 527 * will be executed. 528 * 529 * @return Returns true if the Runnable was successfully placed in to the 530 * message queue. Returns false on failure, usually because the 531 * looper processing the message queue is exiting. Note that a 532 * result of true does not mean the Runnable will be processed -- 533 * if the looper is quit before the delivery time of the message 534 * occurs then the message will be dropped. 535 */ postDelayed( @onNull Runnable r, @Nullable Object token, long delayMillis)536 public final boolean postDelayed( 537 @NonNull Runnable r, @Nullable Object token, long delayMillis) { 538 return sendMessageDelayed(getPostMessage(r, token), delayMillis); 539 } 540 541 /** 542 * Posts a message to an object that implements Runnable. 543 * Causes the Runnable r to executed on the next iteration through the 544 * message queue. The runnable will be run on the thread to which this 545 * handler is attached. 546 * <b>This method is only for use in very special circumstances -- it 547 * can easily starve the message queue, cause ordering problems, or have 548 * other unexpected side-effects.</b> 549 * 550 * @param r The Runnable that will be executed. 551 * 552 * @return Returns true if the message was successfully placed in to the 553 * message queue. Returns false on failure, usually because the 554 * looper processing the message queue is exiting. 555 */ postAtFrontOfQueue(@onNull Runnable r)556 public final boolean postAtFrontOfQueue(@NonNull Runnable r) { 557 return sendMessageAtFrontOfQueue(getPostMessage(r)); 558 } 559 560 /** 561 * Runs the specified task synchronously. 562 * <p> 563 * If the current thread is the same as the handler thread, then the runnable 564 * runs immediately without being enqueued. Otherwise, posts the runnable 565 * to the handler and waits for it to complete before returning. 566 * </p><p> 567 * This method is dangerous! Improper use can result in deadlocks. 568 * Never call this method while any locks are held or use it in a 569 * possibly re-entrant manner. 570 * </p><p> 571 * This method is occasionally useful in situations where a background thread 572 * must synchronously await completion of a task that must run on the 573 * handler's thread. However, this problem is often a symptom of bad design. 574 * Consider improving the design (if possible) before resorting to this method. 575 * </p><p> 576 * One example of where you might want to use this method is when you just 577 * set up a Handler thread and need to perform some initialization steps on 578 * it before continuing execution. 579 * </p><p> 580 * If timeout occurs then this method returns <code>false</code> but the runnable 581 * will remain posted on the handler and may already be in progress or 582 * complete at a later time. 583 * </p><p> 584 * When using this method, be sure to use {@link Looper#quitSafely} when 585 * quitting the looper. Otherwise {@link #runWithScissors} may hang indefinitely. 586 * (TODO: We should fix this by making MessageQueue aware of blocking runnables.) 587 * </p> 588 * 589 * @param r The Runnable that will be executed synchronously. 590 * @param timeout The timeout in milliseconds, or 0 to wait indefinitely. 591 * 592 * @return Returns true if the Runnable was successfully executed. 593 * Returns false on failure, usually because the 594 * looper processing the message queue is exiting. 595 * 596 * @hide This method is prone to abuse and should probably not be in the API. 597 * If we ever do make it part of the API, we might want to rename it to something 598 * less funny like runUnsafe(). 599 */ runWithScissors(@onNull Runnable r, long timeout)600 public final boolean runWithScissors(@NonNull Runnable r, long timeout) { 601 if (r == null) { 602 throw new IllegalArgumentException("runnable must not be null"); 603 } 604 if (timeout < 0) { 605 throw new IllegalArgumentException("timeout must be non-negative"); 606 } 607 608 if (Looper.myLooper() == mLooper) { 609 r.run(); 610 return true; 611 } 612 613 BlockingRunnable br = new BlockingRunnable(r); 614 return br.postAndWait(this, timeout); 615 } 616 617 /** 618 * Remove any pending posts of Runnable r that are in the message queue. 619 */ removeCallbacks(@onNull Runnable r)620 public final void removeCallbacks(@NonNull Runnable r) { 621 mQueue.removeMessages(this, r, null); 622 } 623 624 /** 625 * Remove any pending posts of Runnable <var>r</var> with Object 626 * <var>token</var> that are in the message queue. If <var>token</var> is null, 627 * all callbacks will be removed. 628 */ removeCallbacks(@onNull Runnable r, @Nullable Object token)629 public final void removeCallbacks(@NonNull Runnable r, @Nullable Object token) { 630 mQueue.removeMessages(this, r, token); 631 } 632 633 /** 634 * Pushes a message onto the end of the message queue after all pending messages 635 * before the current time. It will be received in {@link #handleMessage}, 636 * in the thread attached to this handler. 637 * 638 * @return Returns true if the message was successfully placed in to the 639 * message queue. Returns false on failure, usually because the 640 * looper processing the message queue is exiting. 641 */ sendMessage(@onNull Message msg)642 public final boolean sendMessage(@NonNull Message msg) { 643 return sendMessageDelayed(msg, 0); 644 } 645 646 /** 647 * Sends a Message containing only the what value. 648 * 649 * @return Returns true if the message was successfully placed in to the 650 * message queue. Returns false on failure, usually because the 651 * looper processing the message queue is exiting. 652 */ sendEmptyMessage(int what)653 public final boolean sendEmptyMessage(int what) 654 { 655 return sendEmptyMessageDelayed(what, 0); 656 } 657 658 /** 659 * Sends a Message containing only the what value, to be delivered 660 * after the specified amount of time elapses. 661 * @see #sendMessageDelayed(android.os.Message, long) 662 * 663 * @return Returns true if the message was successfully placed in to the 664 * message queue. Returns false on failure, usually because the 665 * looper processing the message queue is exiting. 666 */ sendEmptyMessageDelayed(int what, long delayMillis)667 public final boolean sendEmptyMessageDelayed(int what, long delayMillis) { 668 Message msg = Message.obtain(); 669 msg.what = what; 670 return sendMessageDelayed(msg, delayMillis); 671 } 672 673 /** 674 * Sends a Message containing only the what value, to be delivered 675 * at a specific time. 676 * @see #sendMessageAtTime(android.os.Message, long) 677 * 678 * @return Returns true if the message was successfully placed in to the 679 * message queue. Returns false on failure, usually because the 680 * looper processing the message queue is exiting. 681 */ 682 sendEmptyMessageAtTime(int what, long uptimeMillis)683 public final boolean sendEmptyMessageAtTime(int what, long uptimeMillis) { 684 Message msg = Message.obtain(); 685 msg.what = what; 686 return sendMessageAtTime(msg, uptimeMillis); 687 } 688 689 /** 690 * Enqueue a message into the message queue after all pending messages 691 * before (current time + delayMillis). You will receive it in 692 * {@link #handleMessage}, in the thread attached to this handler. 693 * 694 * @return Returns true if the message was successfully placed in to the 695 * message queue. Returns false on failure, usually because the 696 * looper processing the message queue is exiting. Note that a 697 * result of true does not mean the message will be processed -- if 698 * the looper is quit before the delivery time of the message 699 * occurs then the message will be dropped. 700 */ sendMessageDelayed(@onNull Message msg, long delayMillis)701 public final boolean sendMessageDelayed(@NonNull Message msg, long delayMillis) { 702 if (delayMillis < 0) { 703 delayMillis = 0; 704 } 705 return sendMessageAtTime(msg, SystemClock.uptimeMillis() + delayMillis); 706 } 707 708 /** 709 * Enqueue a message into the message queue after all pending messages 710 * before the absolute time (in milliseconds) <var>uptimeMillis</var>. 711 * <b>The time-base is {@link android.os.SystemClock#uptimeMillis}.</b> 712 * Time spent in deep sleep will add an additional delay to execution. 713 * You will receive it in {@link #handleMessage}, in the thread attached 714 * to this handler. 715 * 716 * @param uptimeMillis The absolute time at which the message should be 717 * delivered, using the 718 * {@link android.os.SystemClock#uptimeMillis} time-base. 719 * 720 * @return Returns true if the message was successfully placed in to the 721 * message queue. Returns false on failure, usually because the 722 * looper processing the message queue is exiting. Note that a 723 * result of true does not mean the message will be processed -- if 724 * the looper is quit before the delivery time of the message 725 * occurs then the message will be dropped. 726 */ sendMessageAtTime(@onNull Message msg, long uptimeMillis)727 public boolean sendMessageAtTime(@NonNull Message msg, long uptimeMillis) { 728 MessageQueue queue = mQueue; 729 if (queue == null) { 730 RuntimeException e = new RuntimeException( 731 this + " sendMessageAtTime() called with no mQueue"); 732 Log.w("Looper", e.getMessage(), e); 733 return false; 734 } 735 return enqueueMessage(queue, msg, uptimeMillis); 736 } 737 738 /** 739 * Enqueue a message at the front of the message queue, to be processed on 740 * the next iteration of the message loop. You will receive it in 741 * {@link #handleMessage}, in the thread attached to this handler. 742 * <b>This method is only for use in very special circumstances -- it 743 * can easily starve the message queue, cause ordering problems, or have 744 * other unexpected side-effects.</b> 745 * 746 * @return Returns true if the message was successfully placed in to the 747 * message queue. Returns false on failure, usually because the 748 * looper processing the message queue is exiting. 749 */ sendMessageAtFrontOfQueue(@onNull Message msg)750 public final boolean sendMessageAtFrontOfQueue(@NonNull Message msg) { 751 MessageQueue queue = mQueue; 752 if (queue == null) { 753 RuntimeException e = new RuntimeException( 754 this + " sendMessageAtTime() called with no mQueue"); 755 Log.w("Looper", e.getMessage(), e); 756 return false; 757 } 758 return enqueueMessage(queue, msg, 0); 759 } 760 761 /** 762 * Executes the message synchronously if called on the same thread this handler corresponds to, 763 * or {@link #sendMessage pushes it to the queue} otherwise 764 * 765 * @return Returns true if the message was successfully ran or placed in to the 766 * message queue. Returns false on failure, usually because the 767 * looper processing the message queue is exiting. 768 * @hide 769 */ executeOrSendMessage(@onNull Message msg)770 public final boolean executeOrSendMessage(@NonNull Message msg) { 771 if (mLooper == Looper.myLooper()) { 772 dispatchMessage(msg); 773 return true; 774 } 775 return sendMessage(msg); 776 } 777 enqueueMessage(@onNull MessageQueue queue, @NonNull Message msg, long uptimeMillis)778 private boolean enqueueMessage(@NonNull MessageQueue queue, @NonNull Message msg, 779 long uptimeMillis) { 780 msg.target = this; 781 msg.workSourceUid = ThreadLocalWorkSource.getUid(); 782 783 if (mAsynchronous) { 784 msg.setAsynchronous(true); 785 } 786 return queue.enqueueMessage(msg, uptimeMillis); 787 } 788 disallowNullArgumentIfShared(@ullable Object arg)789 private Object disallowNullArgumentIfShared(@Nullable Object arg) { 790 if (mIsShared && arg == null) { 791 throw new IllegalArgumentException("Null argument disallowed for shared handler." 792 + " Consider creating your own Handler instance."); 793 } 794 return arg; 795 } 796 797 /** 798 * Remove any pending posts of messages with code 'what' that are in the 799 * message queue. 800 */ removeMessages(int what)801 public final void removeMessages(int what) { 802 mQueue.removeMessages(this, what, null); 803 } 804 805 /** 806 * Remove any pending posts of messages with code 'what' and whose obj is 807 * 'object' that are in the message queue. If <var>object</var> is null, 808 * all messages will be removed. 809 */ removeMessages(int what, @Nullable Object object)810 public final void removeMessages(int what, @Nullable Object object) { 811 mQueue.removeMessages(this, what, disallowNullArgumentIfShared(object)); 812 } 813 814 /** 815 * Remove any pending posts of messages with code 'what' and whose obj is 816 * 'object' that are in the message queue. If <var>object</var> is null, 817 * all messages will be removed. 818 * <p> 819 * Similar to {@link #removeMessages(int, Object)} but uses object equality 820 * ({@link Object#equals(Object)}) instead of reference equality (==) in 821 * determining whether object is the message's obj'. 822 * 823 *@hide 824 */ removeEqualMessages(int what, @Nullable Object object)825 public final void removeEqualMessages(int what, @Nullable Object object) { 826 mQueue.removeEqualMessages(this, what, disallowNullArgumentIfShared(object)); 827 } 828 829 /** 830 * Remove any pending posts of callbacks and sent messages whose 831 * <var>obj</var> is <var>token</var>. If <var>token</var> is null, 832 * all callbacks and messages will be removed. 833 */ removeCallbacksAndMessages(@ullable Object token)834 public final void removeCallbacksAndMessages(@Nullable Object token) { 835 mQueue.removeCallbacksAndMessages(this, disallowNullArgumentIfShared(token)); 836 } 837 838 /** 839 * Remove any pending posts of callbacks and sent messages whose 840 * <var>obj</var> is <var>token</var>. If <var>token</var> is null, 841 * all callbacks and messages will be removed. 842 * 843 *@hide 844 */ removeCallbacksAndEqualMessages(@ullable Object token)845 public final void removeCallbacksAndEqualMessages(@Nullable Object token) { 846 mQueue.removeCallbacksAndEqualMessages(this, disallowNullArgumentIfShared(token)); 847 } 848 /** 849 * Check if there are any pending posts of messages with code 'what' in 850 * the message queue. 851 */ hasMessages(int what)852 public final boolean hasMessages(int what) { 853 return mQueue.hasMessages(this, what, null); 854 } 855 856 /** 857 * Return whether there are any messages or callbacks currently scheduled on this handler. 858 * @hide 859 */ hasMessagesOrCallbacks()860 public final boolean hasMessagesOrCallbacks() { 861 return mQueue.hasMessages(this); 862 } 863 864 /** 865 * Check if there are any pending posts of messages with code 'what' and 866 * whose obj is 'object' in the message queue. 867 */ hasMessages(int what, @Nullable Object object)868 public final boolean hasMessages(int what, @Nullable Object object) { 869 return mQueue.hasMessages(this, what, object); 870 } 871 872 /** 873 * Check if there are any pending posts of messages with code 'what' and 874 * whose obj is 'object' in the message queue. 875 * 876 *@hide 877 */ hasEqualMessages(int what, @Nullable Object object)878 public final boolean hasEqualMessages(int what, @Nullable Object object) { 879 return mQueue.hasEqualMessages(this, what, object); 880 } 881 882 /** 883 * Check if there are any pending posts of messages with callback r in 884 * the message queue. 885 */ hasCallbacks(@onNull Runnable r)886 public final boolean hasCallbacks(@NonNull Runnable r) { 887 return mQueue.hasMessages(this, r, null); 888 } 889 890 // if we can get rid of this method, the handler need not remember its loop 891 // we could instead export a getMessageQueue() method... 892 @NonNull getLooper()893 public final Looper getLooper() { 894 return mLooper; 895 } 896 dump(@onNull Printer pw, @NonNull String prefix)897 public final void dump(@NonNull Printer pw, @NonNull String prefix) { 898 pw.println(prefix + this + " @ " + SystemClock.uptimeMillis()); 899 if (mLooper == null) { 900 pw.println(prefix + "looper uninitialized"); 901 } else { 902 mLooper.dump(pw, prefix + " "); 903 } 904 } 905 906 /** 907 * @hide 908 */ dumpMine(@onNull Printer pw, @NonNull String prefix)909 public final void dumpMine(@NonNull Printer pw, @NonNull String prefix) { 910 pw.println(prefix + this + " @ " + SystemClock.uptimeMillis()); 911 if (mLooper == null) { 912 pw.println(prefix + "looper uninitialized"); 913 } else { 914 mLooper.dump(pw, prefix + " ", this); 915 } 916 } 917 918 @Override toString()919 public String toString() { 920 return "Handler (" + getClass().getName() + ") {" 921 + Integer.toHexString(System.identityHashCode(this)) 922 + "}"; 923 } 924 925 @UnsupportedAppUsage getIMessenger()926 final IMessenger getIMessenger() { 927 synchronized (mQueue) { 928 if (mMessenger != null) { 929 return mMessenger; 930 } 931 mMessenger = new MessengerImpl(); 932 return mMessenger; 933 } 934 } 935 936 private final class MessengerImpl extends IMessenger.Stub { send(Message msg)937 public void send(Message msg) { 938 msg.sendingUid = Binder.getCallingUid(); 939 Handler.this.sendMessage(msg); 940 } 941 } 942 getPostMessage(Runnable r)943 private static Message getPostMessage(Runnable r) { 944 Message m = Message.obtain(); 945 m.callback = r; 946 return m; 947 } 948 949 @UnsupportedAppUsage getPostMessage(Runnable r, Object token)950 private static Message getPostMessage(Runnable r, Object token) { 951 Message m = Message.obtain(); 952 m.obj = token; 953 m.callback = r; 954 return m; 955 } 956 handleCallback(Message message)957 private static void handleCallback(Message message) { 958 message.callback.run(); 959 } 960 961 @UnsupportedAppUsage 962 final Looper mLooper; 963 final MessageQueue mQueue; 964 @UnsupportedAppUsage 965 final Callback mCallback; 966 final boolean mAsynchronous; 967 @UnsupportedAppUsage 968 IMessenger mMessenger; 969 970 /** If it's a shared handler, we disallow certain dangeraous operations. */ 971 private final boolean mIsShared; 972 973 private static final class BlockingRunnable implements Runnable { 974 private final Runnable mTask; 975 private boolean mDone; 976 BlockingRunnable(Runnable task)977 public BlockingRunnable(Runnable task) { 978 mTask = task; 979 } 980 981 @Override run()982 public void run() { 983 try { 984 mTask.run(); 985 } finally { 986 synchronized (this) { 987 mDone = true; 988 notifyAll(); 989 } 990 } 991 } 992 postAndWait(Handler handler, long timeout)993 public boolean postAndWait(Handler handler, long timeout) { 994 if (!handler.post(this)) { 995 return false; 996 } 997 998 synchronized (this) { 999 if (timeout > 0) { 1000 final long expirationTime = SystemClock.uptimeMillis() + timeout; 1001 while (!mDone) { 1002 long delay = expirationTime - SystemClock.uptimeMillis(); 1003 if (delay <= 0) { 1004 return false; // timeout 1005 } 1006 try { 1007 wait(delay); 1008 } catch (InterruptedException ex) { 1009 } 1010 } 1011 } else { 1012 while (!mDone) { 1013 try { 1014 wait(); 1015 } catch (InterruptedException ex) { 1016 } 1017 } 1018 } 1019 } 1020 return true; 1021 } 1022 } 1023 } 1024