public class MyThread extends Thread { public static void main(String[] args) { new MyThread().start(); } @Override public void run() { System.out.println("MyThread running"); }}一旦线程启动后start方法就会立即返回,而不会等待到run方法执行完毕才返回。就好像run方法是在另外一个cpu上执行一样。当run方法执行后,将会打印出字符串MyThread running。 以创建Thread匿名类的方式来开启线程:
public class ThreadTest2 { public static void main(String[] args) { Thread thread = new Thread() { @Override public void run() { System.out.println("Thread running"); } }; thread.start(); }}2、实现Runnable接口创建线程类
public class MyRunnable implements Runnable { @Override public void run() { System.out.println("MyRunnable running"); } public static void main(String[] args) { new Thread(new MyRunnable()).start(); }}创建一个实现了Runnable接口的线程匿名类
public class MyRunnable2 { public static void main(String[] args) { Runnable runnable = new Runnable() { public void run() { System.out.println("MyRunnable2 running"); } }; new Thread(runnable).start(); }}需要注意的是,尽管启动线程的顺序是有序的,但是执行的顺序并非是有序的。例如启动10个线程,1号线程并不一定是第一个将自己名字输出到控制台的线程。这是因为 线程是并行执行而非顺序的。Jvm和操作系统一起决定了线程的执行顺序,他和线程的启动顺序并非一定是一致的。 线程的启动是调用start()方法,虽然调用run()也会有输出,但是,事实上run()方法并非是由刚创建的新线程所执行的,而是被创建新线程的当前线程所执行的 当创建一个线程的时候,有必要的话可以给线程起一个名字。它有助于我们区分不同的线程。默认情况下,主线程的名字为main,用户启动的多条线程的名字一次为Thread-0、Thread-1......