/*
stop方法已经过时。
如何停止线程?
只有一种,run方法结束。
开启多线程运行,运行代码通常是循环结构。
只要控制住循环,就可以让run方法结束,也就是线程结束。
特殊情况:
当线程处于了冻结状态。
就不会读取到标记。那么线程就不会结束
当没有指定的方式让冻结的线程恢复到运行状态时,这时
需要对冻结进行清除。
强制让线程恢复到运行状态中来,这样就可以操作标记让
线程结束。
Thread类中提供该方法,interrupt();
*/
class StopThread implements Runnable
{
boolean flag = true;
public synchronized void run()
{
while(flag)
{
try
{
wait();
}
catch(InterruptedException e)
{
System.out.println(Thread.currentThread().getName()+"...Exception");
flag = false;
}
System.out.println(Thread.currentThread().getName()+"...run");
}
}
public void changeFlag()
{
flag = false;
}
}
class StopThreadDemo
{
public static void main(String[] args)
{
StopThread st = new StopThread();
Thread t1 = new Thread(st);
Thread t2 = new Thread(st);
t1.setDaemon(true);//守护线程,在启动线程前调用
t2.setDaemon(true);
t1.start();
t2.start();
int num = 0;
while(true)
{
if(num++ == 60)
{
//st.changeFlag();
//t1.interrupt();
//t2.interrupt();
break;
}
System.out.println(Thread.currentThread().getName()+"..."+num);
}
System.out.println("over");
}
}
----------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------
/*
join:
当A线程执行到B 线程的.join()方法时,A就会等待,等
B线程都执行完,A才会执行。
join可以用来临时加入线程执行。
*/
class Demo implements Runnable
{
public void run()
{
for(int x=0; x<70; x++)
{
System.out.println(Thread.currentThread().toString()+"..."+x);
Thread.yield();
}
}
}
class JoinDemo
{
public static void main(String[] args)throws Exception
{
Demo d = new Demo();
Thread t1 = new Thread(d);
Thread t2 = new Thread(d);
t1.start();
t1.setPriority(Thread.MAX_PRIORITY);
t2.start();
// t1.join();
for(int x=0; x<80; x++)
{
//System.out.println("Main..."+x);
}
System.out.println("over");
}
}
-------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------
//工作中线程常用写法
class ThreadTest
{
public static void main(String[] args)
{
new Thread()
{
for(int x=0; x<100; x++)
{
System.out.println(Thread.currentThread().getName()+"..."+x);
}
}.start();
Runnable r = new Runnable()
{
for(int x=0; x<100; x++)
{
System.out.println(Thread.currentThread().getName()+"..."+x);
}
};
new Thread(r).start();
for(int x=0; x<100; x++)
{
System.out.println(Thread.currentThread().getName()+"..."+x);
}
}
}
-------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------
个人总结: