慕课网 Jimin老师 Java并发编程入门与高并发面试 学习笔记
Java并发编程入门与高并发面试
线程安全:
代码所在的进行,有多个线程同时运行,而这些线程可能会运行同一段代码,如果每次运行结果和单线程运行结果一样且 其携带的变量的值也是一样的
线程不安全:
不提供数据访问保护,有可能出现多个线程先后更改数据,造成所得到的数据是脏数据,也有可能会出现计算错误
并发模拟
◆Postman : Http请求模拟工具
◆Apache Bench ( AB) : Apache附带的工具,测试网站性能
◆JMeter : Apache组织开发的的压力测试工具
◆代码: Semaphore、CountDownLatch等
1、postman
image.png2、apache bench
image.png3、JMeter
image.pngimage.png
并发编程测试
package com.huhao.concurrency;
import com.huhao.concurrency.annoations.NotThreadSafe;
import lombok.extern.slf4j.Slf4j;
import java.util.concurrent.CountDownLatch;
import java.util.concurrent.ExecutorService;
import java.util.concurrent.Executors;
import java.util.concurrent.Semaphore;
/**
* 代码模拟并发测试
*/
@Slf4j
@NotThreadSafe
public class ConcurrencyTest {
//请求总数
public static int clientTotal = 5000;
//同时并发执行的线程数
public static int threadTotal = 200;
public static int count = 0;
public static void main(String[] args) throws InterruptedException {
ExecutorService exec = Executors.newCachedThreadPool();
final Semaphore semaphore = new Semaphore(threadTotal);
final CountDownLatch countDownLatch = new CountDownLatch(clientTotal);
for (int index = 0; index < clientTotal; index++) {
exec.execute(() -> {
try {
//线程请求,如果线程数已经到了,可能会阻塞,等有线程释放了再执行
semaphore.acquire();
add();
//add执行完后,释放当前线程
semaphore.release();
} catch (InterruptedException e) {
log.error("exception", e);
e.printStackTrace();
}
countDownLatch.countDown();
});
}
//保证线程减到0
countDownLatch.await();
//关闭线程池
exec.shutdown();
log.error("count:{}", count);//count:4952
}
private static void add() {
count++;
}
}
网友评论