public class ThreadDemo { /** * 打印名字 * @param name */ public void showName(String name){ for(int i=0;i<name.length();i++){ System.out.PRint(name.charAt(i)); } System.out.println(); } public static void main(String[] args){ ThreadDemo t=new ThreadDemo(); new Thread(){ @Override public void run() { while(true){ t.showName("钢铁侠"); } } }.start(); new Thread(){ public void run() { while(true){ t.showName("美国队长"); } } }.start(); }} 为了解决类似这种情况,应该引入同步的概念,也就是给方法加锁,当其他线程调用该方法时,如果锁解开了才能调用,如果没有,则不能调用。java中同步的关键字是synchronzied,如果方法不加锁,则会出现意想不到的结果。使用synchronzied有两种方法,这里我举一个比较省事的方法public class ThreadDemo { /** * 打印名字 * @param name */ public synchronized void showName(String name){ for(int i=0;i<name.length();i++){ System.out.print(name.charAt(i)); } System.out.println(); } public static void main(String[] args){ ThreadDemo t=new ThreadDemo(); new Thread(){ @Override public void run() { while(true){ t.showName("钢铁侠"); } } }.start(); new Thread(){ public void run() { while(true){ t.showName("美国队长"); } } }.start(); }}TipS:在JDK1.5及以后,在Java.util.concurrent.locks包下面提供了Lock接口,Lock实现提供了比使用synchronized方法和语句可获得更广泛的锁定操作,此实现允许更灵活的结构,可以具有差别很大的属性。举个模仿火车票买票系统:假设某一站只有100张火车票,有200个人分别在不同的窗口买票,200人相当于两百个线程,为了出现有人结账是被告知票已经卖完的情况,买票的方法需要加上锁。import java.util.Random;import java.util.concurrent.locks.Lock;import java.util.concurrent.locks.ReentrantLock;public class TicketDemo { private int Ticketcount=100; private static int people=200; private Lock lock = new ReentrantLock(); private static TicketDemo td=new TicketDemo(); public static void main(String[] args) { for (int i = 0; i < people; i++) { new Thread(){ @Override public void run() { super.run(); td.Buy(); } }.start(); } } public void Buy(){ //上锁 lock.lock(); try { if(Ticketcount == 0){ System.out.println("已卖完"); return; } Random r = new Random(); try { Thread.sleep(r.nextInt(1000)); } catch (InterruptedException e) { // TODO Auto-generated catch block e.printStackTrace(); } System.out.println("Ticketcount = "+Ticketcount); System.out.println("还剩下:"+(--Ticketcount)+"张票"); } finally { //解锁 lock.unlock(); } }}二,异步
还拿公交车来讲,异步就是大家一起上公交车,因为没有秩序,也就是说上公交车不收限制。总结:同步其实并不是同时.同步简单说即使有顺序,异步呢,是无序,所以可以同时发生。
新闻热点
疑难解答