Runnable 并不一定是新开一个线程,比如下面的调用方法就是运行在UI主线程中的:



Handler mHandler=new Handler(); 
     mHandler.post(new Runnable(){ 
        @Override public void run() 
        { // TODO Auto-generated method stub 
         } 
     });



官方对这个方法的解释如下,注意其中的:“The runnable will be run on the user interface thread.

boolean android.view.View .post(Runnable action)

Causes the Runnable to be added to the message queue. The runnable will be run on the user interface thread.

Parameters:

action The Runnable that will be executed.

Returns:

Returns true if the Runnable was successfully placed in to the message queue. Returns false on failure, usually because the looper processing the message queue is exiting.

我们可以通过调用handler的post方法,把Runnable对象(一般是Runnable的子类)传过去;handler会在looper中调用这个Runnable的Run方法执行。

Runnable是一个接口,不是一个线程,一般线程会实现Runnable。所以如果我们使用匿名内部类是运行在UI主线程的,如果我们使用实现这个Runnable接口的线程类,则是运行在对应线程的。

具体来说,这个函数的工作原理如下:

View.post(Runnable)方法。在post(Runnable action)方法里,View获得当前线程(即UI线程)的Handler,然后将action对象post到Handler里。在Handler里,它将传递过来的action对象包装成一个Message(Message的callback为action),然后将其投入UI线程的消息循环中。在Handler再次处理该Message时,有一条分支(未解释的那条)就是为它所设,直接调用runnable的run方法。而此时,已经路由到UI线程里,因此,我们可以毫无顾虑的来更新UI。

如下图,前面看到的代码,我们这里Message的callback为一个Runnable的匿名内部类

这种情况下,由于不是在新的线程中使用,所以千万别做复杂的计算逻辑。



第四:在多线程编程这块,我们经常要使用Handler,Thread和Runnable这三个类,那么他们之间的关系你是否弄清楚了呢?

  首先说明Android的CPU分配的最小单元是线程,Handler一般是在某个线程里创建的,因而Handler和Thread就是相互绑定的,一一对应。

  而Runnable是一个接口,Thread是Runnable的子类。所以说,他俩都算一个进程。

  HandlerThread顾名思义就是可以处理消息循环的线程,他是一个拥有Looper的线程,可以处理消息循环。

  与其说Handler和一个线程绑定,不如说Handler是和Looper一一对应的。

  最后需要说明的是,在UI线程(主线程)中:

 

mHandler=new Handler();
   mHandler.post(new Runnable(){
   void run(){
   //执行代码...
   }
   });

  这个线程其实是在UI线程之内运行的,并没有新建线程。

  常见的新建线程的方法是:

  Thread thread = new Thread();

  thread.start();

  HandlerThread thread = new HandlerThread("string");

  thread.start();


第五: Java

 Runnable接口在进行相关编写的时候需要我们不断的学习相关代码。下面我们就来看炫如何才能使用相关的代码。Runnable接口只有一个方法run(),我们声明自己的类实现Runnable接 口并提供这一方法,将我们的线程代码写入其中,就完成了这一部分的任务。

  但是Runnable接口并没有任何对线程的支持,我们还必须创建Thread类 的实例,这一点通过Thread类的构造函数public Thread(Runnable target);来实现。下面是一个例子:

 

1.public class MyThread implements Runnable
   2.{
   3.int count= 1, number;
   4.public MyThread(int num)
   5.{
   6.numnumber = num;
   7.System.out.println("创建线程 " + number);
   8.}
   9.public void run()
   10.{
   11.while(true)
   12.{
   13.System.out.println
   14.("线程 " + number + ":计数 " + count);
   15.if(++count== 6) return;
   16.}
   17.}
   18.public static void main(String args[])
   19.{
   20.for(int i = 0; i 〈 5;
   21.i++) new Thread(new MyThread(i+1)).start();
   22.}
   23.}

  严格地说,创建Thread子类的实例也是可行的,但是必须注意的是,该子类必须没有覆盖 Thread 类的 run 方法,否则该线程执行的将是子类的 run 方法,而不是我们用以实现Runnable 接口的类的 run 方法,对此大家不妨试验一下。

  使用 Java Runnable接口来实现多线程使得我们能够在一个类中包容所有的代码,有利于封装,它的缺点在于,我们只能使用一套代码,若想创建多个线程并使各个线程执行不同的代 码,则仍必须额外创建类,如果这样的话,在大多数情况下也许还不如直接用多个类分别继承 Thread 来得紧凑。