一 线程同步和互斥
1 互斥:是指某一个资源某个时刻只允许一个访问者对其进行访问,具有唯一性和排他性。
2 同步:在互斥的基础上,通过其他机制实现访问者对资源的有序访问,通过一定的逻辑关系来共同完成一个任务。
3 同步和互斥的联系:同步其实已经实现了互斥,所以同步是一种更为复杂的互斥。
4 同步和互斥的区别:
(1)互斥是不同线程通过竞争进入临界区(共享的数据和硬件资源),为了防止冲突,在同一时刻只允许一个线程使用共享资源,如不能同时写。
(2)同步时多个线程彼此合作,通过一定的逻辑关系来共同完成一个任务,如先生产再使用。
(3)简单来说,互斥时通过竞争实现对资源的独占使用,彼此之间不需要知道对方的存在,执行顺序是一个乱序,同步时协调多个相互关联的线程完成任务,彼此之间知道对方存在,执行顺序往往是有序的。
二 实现同步的方法
1 实现同步的常见方法
(1)通过Object的wait()、notify()和notifyAll()。
(2)通过Condition的awiat()、signal()和singalAll()。
(3)通过阻塞队列(BlockingQueue)。
2 生产者消费者线程同步举例(通过Object的wait()和notify()实现)
(1)产品类
public class Product {
private int number = 0;
public synchronized void increase() {
if (number < 20) {
number++;
System.out.println(Thread.currentThread().getName()
+ ": 开始生产第" + number + "个产品。");
notify();
} else {
try {
wait();
System.out.println("生产满了,休息一下。");
} catch (InterruptedException e) {
e.printStackTrace();
}
}
}
public synchronized void decrease() {
if (number > 0) {
System.out.println(Thread.currentThread().getName()
+ ": 开始消费第" + number + "个产品。");
number--;
notify();
} else {
try {
wait();
System.out.println("没有商品了");
} catch (InterruptedException e) {
e.printStackTrace();
}
}
}
}
(2)生产者类
public class Producer extends Thread {
private Product product;
public Producer(Product product) {
this.product = product;
}
@Override
public void run() {
System.out.println(getName() + ":开始生产产品。。。。");
for (int i = 0; i < 50; i++) {
try {
Thread.sleep(100);
} catch (InterruptedException e) {
e.printStackTrace();
}
product.increase();
}
}
}
(3)消费者类
public class Consumer extends Thread {
private Product product;
public Consumer(Product product) {
this.product = product;
}
@Override
public void run() {
System.out.println(getName() + ":开始消费产品。。。。");
for (int i = 0; i < 50; i++) {
try {
Thread.sleep(150);
} catch (InterruptedException e) {
e.printStackTrace();
}
product.decrease();
}
}
}
(4)测试类
public class Test {
public static void main(String[] args) {
Product product = new Product();
Producer p1 = new Producer(product);
p1.setName("生产者1");
Producer p2 = new Producer(product);
p2.setName("生产者2");
Consumer c1 = new Consumer(product);
c1.setName("消费者1");
Consumer c2 = new Consumer(product);
c2.setName("消费者2");
p1.start();
p2.start();
c1.start();
c2.start();
}
}
(5)运行结果