49

我的问题更多的是关于什么是好的做法,而不是什么是可能的:

  • NoticationManager.notify()从工作线程调用是一件好事吗?
  • 系统是否在 UI 线程中执行它?

我总是尽量记住,关于 UI 的东西应该在 UI 线程中执行,其余的在工作线程中执行,正如 Android 文档关于Processes And Threads所建议的那样:

此外,Andoid UI 工具包不是线程安全的。因此,您不能从工作线程操作您的 UI — 您必须从 UI 线程对您的用户界面进行所有操作。因此,Android 的单线程模型只有两条规则:

  • 不要阻塞 UI 线程
  • 不要从 UI 线程外部访问 Android UI 工具包

然而,我对 Android 文档本身给出的一个例子感到惊讶(关于在 Notifications 中显示进度),其中正在进行的通知进度是直接从工作线程更新的:

mNotifyManager =
        (NotificationManager) getSystemService(Context.NOTIFICATION_SERVICE);
mBuilder = new NotificationCompat.Builder(this);
mBuilder.setContentTitle("Picture Download")
    .setContentText("Download in progress")
    .setSmallIcon(R.drawable.ic_notification);
// Start a lengthy operation in a background thread
new Thread(
    new Runnable() {
        @Override
        public void run() {
            int incr;
            // Do the "lengthy" operation 20 times
            for (incr = 0; incr <= 100; incr+=5) {
                    // Sets the progress indicator to a max value, the
                    // current completion percentage, and "determinate"
                    // state
                    mBuilder.setProgress(100, incr, false);
                    // Displays the progress bar for the first time.
                    mNotifyManager.notify(0, mBuilder.build());
                        // Sleeps the thread, simulating an operation
                        // that takes time
                        try {
                            // Sleep for 5 seconds
                            Thread.sleep(5*1000);
                        } catch (InterruptedException e) {
                            Log.d(TAG, "sleep failure");
                        }
            }
            // When the loop is finished, updates the notification
            mBuilder.setContentText("Download complete")
            // Removes the progress bar
                    .setProgress(0,0,false);
            mNotifyManager.notify(ID, mBuilder.build());
        }
    }
// Starts the thread by calling the run() method in its Runnable
).start();

这就是为什么我想知道是否真的有必要在主线程上运行它,或者系统是否会处理它。

谢谢你的帮助!

4

1 回答 1

92

Notification从工作线程更新 a 是可以接受的,因为Notification它不存在于应用程序的进程中,因此您不会直接更新其 UI。Notification 在系统进程中维护,并且Notification通过RemoteViews( doc ) 更新 UI,这允许操作由您自己的进程以外的进程维护的视图层次结构。如果您查看Notification.Builder 此处的源代码,您会发现它最终构建了一个RemoteViews.

如果您查看RemoteViews 此处的源代码,您会发现当您操作视图时,它实际上只是创建一个Action)对象并将其添加到要处理的队列中。AnActionParcelable最终通过 IPC 发送到拥有Notification的视图的进程,在那里它可以解包值并按照指示更新视图......在它自己的 UI 线程上。

我希望澄清为什么可以Notification从应用程序中的工作线程更新 a 。

于 2013-04-04T06:09:29.067 回答