스레드의 우선순위는 1이 가장 낮고 10이 가장 높다. setPriority() 메서드를 사용해서 우선순위를 지정할 수 있다.
이것을 잘 사용하면 프로그램의 우선순위를 정하여 스레드를 제어할 수 있을 것 같다 한번 코드를 작성해보자.
package study.moon.Test;
publicclassMain{
publicstaticvoidmain(String[] args) {
Data data = new Data(0);
MyThread1 thread1 = new MyThread1(data,10);
MyThread1 thread2 = new MyThread1(data,7);
MyThread2 thread3 = new MyThread2(data,4);
MyThread2 thread4 = new MyThread2(data,1);
thread1.start();
thread2.start();
thread3.start();
thread4.start();
}
}
classData{
int number;
publicData(int number) {
this.number = number;
}
}
classMyThread1extendsThread{
Data data;
int number;
publicMyThread1(Data data, int priority) {
this.data = data;
this.number = 1;
setPriority(priority);
}
publicvoidrun() {
for (int i = 0; i < 5; i++) {
data.number = number;
number++;
System.out.println(this.getName()+":"+data.number);
}
}
}
classMyThread2extendsThread{
Data data;
int number;
publicMyThread2(Data data, int priority) {
this.data = data;
this.number = 1;
setPriority(priority);
}
publicvoidrun() {
for (int i = 0; i < 5; i++) {
data.number = number;
number--;
System.out.println(this.getName()+":"+data.number);
}
}
}
하지만 여전히 제멋대로이다.
Why?
프로그램의 해당 내용을 들여다 보았을 때, cpu의 할당이 필요하지 않은 데이터의 입출력에 대한 비율이 높은 것을 알 수 있다. 이러한 상황에서는 쓰레드는 무리하게 cpu를 차지하려고 하지 않는다고 한다. 오히려 이런 상황에서는 자신에게 할당된 cpu를 다른 쓰레드에게 넘겨 우선순위가 낮은 쓰레드가 실행의 기회를 얻는다고 한다.
6. 동기화
하나의 공유자원을 여러 쓰레드가 각각의 작업을 진행한다면 필연적으로 문제가 발생한다.
다음 결과를 보자.
package study.moon.Test;
importstatic java.lang.Thread.sleep;
publicclassMain{
publicstaticvoidmain(String[] args)throws InterruptedException {
Data data = new Data(0);
MyThread1 thread1 = new MyThread1(data,1);
MyThread1 thread2 = new MyThread1(data,1);
MyThread1 thread3 = new MyThread1(data,1);
thread1.start();
thread2.start();
thread3.start();
sleep(1000);
System.out.println(data.number);//10098396
}
}
classData{
int number;
publicData(int number){
this.number = number;
}
publicvoidplus(){
number++;
}
}
classMyThread1extendsThread{
Data data;
int number;
long time;
publicMyThread1(Data data, int priority){
this.data = data;
this.number = 0;
setPriority(priority);
}
publicvoidrun(){
for (int i = 0; i < 10_000_000; i++) {
data.plus();
}
}
}
원래대로라면 10,000,000을 세번 더했으니 30,000,000 이 결괏값으로 나와야 정상이다. 하지만 전혀다른 이상한 값이 나왔다. 서로가 데이터의 값을 읽어들였을 때 이미 다른 쓰레드가 해당 데이터를 변경한 뒤이기 때문에 데이터의 일관성이 보장되지 않는 상황인 것이다. 이 상황을 해결하기 위해 자바는 synchronized 라는 키워드가 있다. 해당 키워드를 사용하면 해당 값을 변경할 때 다른 실행흐름이 해당 자원에 접근하지 못하도록 락을 건다.
package study.moon.Test;
importstatic java.lang.Thread.sleep;
publicclassMain{
publicstaticvoidmain(String[] args)throws InterruptedException {
Data data = new Data(0);
MyThread1 thread1 = new MyThread1(data,1);
MyThread1 thread2 = new MyThread1(data,1);
MyThread1 thread3 = new MyThread1(data,1);
thread1.start();
thread2.start();
thread3.start();
sleep(1000);
System.out.println(data.number);//30,000,000
}
}
classData{
int number;
publicData(int number){
this.number = number;
}
publicsynchronizedvoidplus(){
number++;
}
}
classMyThread1extendsThread{
Data data;
int number;
long time;
publicMyThread1(Data data, int priority){
this.data = data;
this.number = 0;
setPriority(priority);
}
publicvoidrun(){
for (int i = 0; i < 10_000_000; i++) {
data.plus();
}
}
}
쓰레드 문제로부터 안전해졌지만 성능이 안좋아졌다. 다음의 두 코드를 보고 비교해보자.
그냥 메서드
package study.moon.Test;
publicclassMain{
publicstaticvoidmain(String[] args)throws InterruptedException {
Data data = new Data(0);
MyThread1 thread1 = new MyThread1(data,1);
MyThread1 thread2 = new MyThread1(data,1);
MyThread1 thread3 = new MyThread1(data,1);
thread1.start();
thread2.start();
thread3.start();
}
}
classData{
int number;
publicData(int number){
this.number = number;
}
publicvoidplus(){
number++;
}
}
classMyThread1extendsThread{
Data data;
int number;
long time;
publicMyThread1(Data data, int priority){
this.data = data;
this.number = 0;
setPriority(priority);
}
publicvoidrun(){
long start = System.currentTimeMillis();
for (int i = 0; i < 10_000_000; i++) {
data.plus();
}
long end = System.currentTimeMillis();
time = end-start;
System.out.println(time);
}
}
결괏값 : 11 11 11
synchronized
package study.moon.Test;
publicclassMain{
publicstaticvoidmain(String[] args)throws InterruptedException {
Data data = new Data(0);
MyThread1 thread1 = new MyThread1(data,1);
MyThread1 thread2 = new MyThread1(data,1);
MyThread1 thread3 = new MyThread1(data,1);
thread1.start();
thread2.start();
thread3.start();
}
}
classData{
int number;
publicData(int number){
this.number = number;
}
publicvoidplus(){
number++;
}
}
classMyThread1extendsThread{
Data data;
int number;
long time;
publicMyThread1(Data data, int priority){
this.data = data;
this.number = 0;
setPriority(priority);
}
publicvoidrun(){
long start = System.currentTimeMillis();
for (int i = 0; i < 10_000_000; i++) {
data.plus();
}
long end = System.currentTimeMillis();
time = end-start;
System.out.println(time);
}
}
위의 그림과 같이 두개 이상의 작업이 서로 상대방의 작업이 끝나기만을 기다리고있기 때문에 프로세스가 자원을 얻지 못해 다음 처리를 진행할 수 없는 상태를 말한다.
데드락이 발생하기 위해서는 다음 네가지의 조건을 모두 만족시켜야한다.
상호배제(Mutual exclusion)Permalink 자원을 한 번에 한 프로세스만이 사용하는 경우.
점유대기(Hold and wait)Permalink 최소한 하나의 자원을 점유하고 있으면서 다른 프로세스에 할당되어 사용하고 있는 자원을 추가로 점유하기 위해 대기하는 프로세스가 있는 경우.
비선점(No preemption)Permalink 다른 프로세스에 할당된 자원은 사용이 끝날 때까지 강제로 빼앗을 수 없는 경우.
순환대기(Circular wait)Permalink 각 프로세스는 순환적으로 다음 프로세스가 요구하는 자원을 가지고 있는 경우.
다음 조건을 확인하여 예제를 작성해보자.
package study.moon.Test;
publicclassMain{
publicstaticvoidmain(String[] args){
final Object car1 = "car1";
final Object car2 = "car2";
Thread t1 = new Thread(() -> {
synchronized (car1) {
System.out.println("Thread 1: locked car 1");
synchronized (car2) {
System.out.println("Thread 1: locked car 2");
}
}
});
Thread t2 = new Thread(() -> {
synchronized (car2) {
System.out.println("Thread 2: locked car 2");
synchronized (car1) {
System.out.println("Thread 2: locked car 1");
}
}
});
t1.start();
t2.start();
}
}
데드락이 발생했다.
다음과 같이 서비스 운영중에 데드락이 발생했을 경우 회사의 큰 손해로 이어질 수도 있기 때문에 항상 서비스가 데드락에서 빠져나올 수 있는 해결방안을 미리 고민해두어야 한다. 이 이후의 내용은 자바의 내용이라기보다는 운영체제의 내용에 가깝기 때문에 추후에 운영체제에 대한 포스팅을 할 기회가 있으면 작성하도록 할것이다.
8. 싱글턴 패턴에서의 Thread-safe (Option)
디자인 패턴 중, 단 하나의 공유 객체를 만들어 재사용하는 패턴을 싱글턴패턴이라고 한다.
싱글턴 패턴은 Thread-safe를 고려하지 않으면 싱글턴 패턴이 아니게될 가능성이 있다.
사실 우리는 메인 메모리에 항상 직접 접근하여 연산을 하는것이 아니라 성능상의 이익을 얻기 위해 cpu 캐시에 저장된 값으로 연산을 진행한다. 그래서 멀티쓰레드 환경에서는 특정 쓰레드에서 값을 변경하여도 cpu캐시에서만 값이 변경되어, 메인 메모리에는 반영이 되지 않아 다른 쓰레드에서 문제가 발생할 수 있다. 이 때, volatile 키워드를 사용하면 해당 값을 cpu캐시에 갱신하지 않고 직접 메인 메모리에 갱신하게된다.
문제점
역시 아직 성능상의 문제가 있다.
코드 가독성이 떨어진다.
1.4 이하의 버전에서는 적용할 수 없다.
8-3.Eager Initialization
package study.moon.Test;
publicclassSingleton{
/*
static -> 인스턴스화와 상관없이 접근 가능
private -> 외부에서 instance 바로 접근 방지
*/privatestatic Singleton instance = new Singleton();
/*
private -> new Singleton() 방지
*/privateSingleton(){}
//오로지 해당 메서드를 통해서만 인스턴스 접근 가능publicstatic Singleton getInstance(){
return instance;
}
}
문제점
싱글턴 객체 사용 유무에 관계없이 클래스가 로딩되는 시점에 객체가 생성되어 메모리를 잡아먹을 수 있다.
8-4.Lazy Initialization
package study.moon.Test;
publicclassSingleton{
privatestatic Singleton instance;
privateSingleton(){}
publicstatic Singleton getInstance(){
if (instance == null) { // 처음으로 호출될 때 메모리에 할당한다.
instance = new Singleton();
}
return instance;
}
}
문제점
Thread-safe하지 않다.
8-5.Holder
package study.moon.Test;
publicclassSingleton{
privateSingleton(){}
privatestaticclassHolder{//getInstance()가 호출되기 전에는 참조되지 않는다.privatestaticfinal Singleton instance = new Singleton();//클래스 로딩 시점에 한번만 호출, 재할당 금지
}
publicstatic Singleton getInstance(){
return Holder.instance;
}
}