Daemon Thread 데몬 스레드
- 다른 일반 스레드의 작업을 돋는 보조적인 역할을 하는 스레드
- 일반 스레드가 모두 종료되면 데몬 스레드는 자동으로 종료
public class T09_ThreadDaemonTest {
public static void main(String[] args) {
AutoSaveThread autoSave = new AutoSaveThread();
//데몬 스레드로 설정하기 (start()메서드 호출전에 설정해야한다.)
autoSave.setDaemon(true);
autoSave.start();
try {
for (int i = 1; i <= 20; i++) {
System.out.println("작업"+i);
Thread.sleep(1000);
}
} catch (InterruptedException e) {
e.printStackTrace();
}
System.out.println("메인 메서드 종료..");
}
}
/*
* 자동저장 기능 제공하는 스레드(1초에 한번씩 저장)
*/
class AutoSaveThread extends Thread{
public void save() {
System.out.println("작업내용을 저장합니다.");
}
@Override
public void run() {
while(true) {
try {
Thread.sleep(3000);
} catch (InterruptedException e) {
e.printStackTrace();
}
save(); //저장기능 호출
}
}
}