package tony.test.testJavaThread;
/**
* @author Tony
*/
public class TestRunnable implements Runnable
{
int count = 0;
private synchronized void printHello()
{
System.out.println(++count + ". Hello " + Thread.currentThread()。getName());
}
public void run()
{
printHello();
}
public static void main(String[] args)
{
TestRunnable tr = new TestRunnable();
for (int i=0; i<5; i++)
{
new Thread(tr, "Tonys Thread-" + (i+1))。start();
}
}
}继承java.lang.Thread, 创造该类对象。 这种方法一般要重写(Override)run方法, 不然该线程就什么也没做就结束了。
package tony.test.testJavaThread;
/**
* @author Tony
*/
public class TestThread extends Thread
{
static int count = 0;
public TestThread(String name)
{
super(name);
}
public void run()
{
synchronized(this.getClass())
{
System.out.println(++count + ". Hello " + this.getName());
if (count == 2)
{
System.out.println(this.getName() + " is to sleep for 4s");
try
{
Thread.sleep(4000);
}
catch (InterruptedException e)
{
e.printStackTrace();
}
}
}
}
public static void main(String[] args)
{
for (int i=0; i<5; i++)
{
new TestThread("Tonys Thread-"+(i+1))。start();
}
}
}
两者可以实现同样的功能。 但个人比较喜欢前者。 由于Java是单继承, 所以后者不能再继承其它类了。 而前者还有个好处就是可以把线程间共享的数据作为类的字段, 然后把该类实现Singleton, 只实例化一个对象, 作为参数传给Thread. 当然如果不想共享成员, 而对于每个Thread提供不同的Runnable对象。 而后者要实现共享就要在继承的类中声明一堆static属性。
Java Thread通过方法start启动, 而实际运行的内容在方法run中。 不过简单地调用run, 如thread.run(); 只是把run作为普通的方法调用了一遍, 并没有启动新的线程。 当run中的内容运行完之后, 线程便自动结束了。 类Thread提供一个静态方法sleep. 任何时候调用该方法都可以把当前执行的线程暂停指定的时间。