Thread 스레드
- 프로그램의 실행흐름
- 프로세스 내에서 실행되는 세부 작업 단위
- 경량화(lightweight) 프로세스
- 하나의 프로세스 내에는 여러 개의 스레드가 존재 할 수 있다.
- 멀티스레드: 두 개 이상의 스레드
특징
- 문맥교환(Context Switching) 시간이 적게 걸린다
- 스레드간의 통신시 시간이 적게 걸린다 (빠르다)
- 생성 및 종료 시간이 적게 걸린다 (빠르다)
- 동료 스레드와 사용 메모리를 공유할 수 있다.
Process 프로세스
- 운영체제에서 실행중인 하나의 프로그램
- 멀티 프로세스: 두개 이상의 프로세스가 실행되는 것
- 멀티 태스킹: 두개 이상의 프로세스를 실행하여일을 처리하는 것
Single Thread 싱글 스레드
public class T01_ThreadTest {
public static void main(String[] args) {
//싱글스레드 프로그램
for(int i=0; i<=200; i++) {
System.out.print("*");
}
System.out.println();
for (int i = 0; i<=200; i++) {
System.out.print("$");
}
}
}
Multi Thread 멀티 스레드
public class T02_ThreadTest {
public static void main(String[] args) {
// 멀티 스레드 프로그램 방식
// 방법1 : Thread클래스를 상속한 class의 인스턴스를 생성한 후
// 이 인스턴스의 start()메서드를 호출한다.
MyThread1 th1 = new MyThread1();
th1.start();
// 방법2 : Runnable인터페이스 를 구현한 class의 인스턴스를 생성한 후
// 이 인스턴스를 Thread객체의 인스턴스를 생성할 때 생정자의 매개변수로
// 넘겨준다. 이떄 생성된 Thread객체의 start()메서드를 호출한다.
MyThread2 r1 = new MyThread2();
Thread th2 = new Thread(r1);
th2.start();
// 방법3 : 익명클래스를 이용하는 방법
// Runnable인터페이스를 구현한 익명클래스를 Thread인스턴스를 생성할때 매개변수로 넘겨준다.
Thread th3 = new Thread(new Runnable() {
@Override
public void run() {
for (int i = 0; i <= 200; i++) {
System.out.print("@");
try {
// Thread.sleep(시간) => 주어진 시간동안 작업을 잠시 멈춘다.
// 시간은 밀리세컨드 단위를 사용한다.
// 즉, 1000(ms)는 1초를 의미한다.
Thread.sleep(100);
} catch (InterruptedException ex) {
ex.printStackTrace();
}
}
}
});
th3.start();
}
}
class MyThread1 extends Thread {
@Override
public void run() {
for (int i = 0; i <= 200; i++) {
System.out.print("*");
try {
// Thread.sleep(시간) => 주어진 시간동안 작업을 잠시 멈춘다.
// 시간은 밀리세컨드 단위를 사용한다.
// 즉, 1000(ms)는 1초를 의미한다.
Thread.sleep(100);
} catch (InterruptedException ex) {
ex.printStackTrace();
}
}
}
}
class MyThread2 implements Runnable {
@Override
public void run() {
for (int i = 0; i <= 200; i++) {
System.out.print("$");
try {
// Thread.sleep(시간) => 주어진 시간동안 작업을 잠시 멈춘다.
// 시간은 밀리세컨드 단위를 사용한다.
// 즉, 1000(ms)는 1초를 의미한다.
Thread.sleep(100);
} catch (InterruptedException ex) {
ex.printStackTrace();
}
}
}
}
수행시간 체크
public class T03_ThreadTest {
public static void main(String[] args) {
//스레드의 수행시간 체크해 보기
// Thread th = new
Thread th = new Thread(new MyRunner());
// UTC(Universal Time Coodinated 협정 세계 표준시)를 사용하여
// 1970년 1월 1일 0시 0분 0초를 기준으로 경과한 시간을 밀리세컨드 단위로
// 나타낸다. => 유닉스 타임스탬프
long startTime = System.currentTimeMillis();
th.start(); //스레드 시작
try {
th.join(); // 현재실행 중인 스레드에서 작업중인 스레드( 지금은 th스레드)가
// 종료 될 때까지 기다린다.
} catch (InterruptedException ex) {
ex.printStackTrace();
}
long endTime = System.currentTimeMillis();
System.out.println("경과시간:" + (endTime - startTime));
}
}
class MyRunner implements Runnable{
// 1~10억까지의 합계를 구하는 스레드
@Override
public void run() {
long sum = 0;
for (long i = 1L; i <= 1000000000; i++) {
sum += i;
}
System.out.println("합계 :" + sum);
}
}