Daemon threads are low priority background threads which provide services to user threads. It’s life depends on user threads. If no user thread is running then JVM can exit even if daemon threads are running. JVM do not wait for daemon threads to finish.
Daemon threads perform background tasks such as garbage collection, finalizer etc.
The only purpose of daemon thread is to serve user thread so if there are no user threads, there is no point of JVM to run these threads, that’s why JVM exits once there are no user threads.
Two method related to daemon thread
Public void setDaemon(boolean status) :
This method can be used to mark thread as user or daemon thread. If you put setDaemon(true), it makes thread as daemon.
Public boolean isDaemon()
This method can be used to check if thread is daemon or not.
Daemon Thread example:
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
|
package org.arpit.java2blog;
class SimpleThread implements Runnable{
public void run()
{
if(Thread.currentThread().isDaemon())
System.out.println(Thread.currentThread().getName()+" is daemon thread");
else
System.out.println(Thread.currentThread().getName()+" is user thread");
}
}
public class DaemonThreadMain {
public static void main(String[] args){
SimpleThread st=new SimpleThread();
Thread th1=new Thread(st,"Thread 1");//creating threads
Thread th2=new Thread(st,"Thread 2");
Thread th3=new Thread(st,"Thread 3");
th2.setDaemon(true);//now th2 is daemon thread
th1.start();//starting all threads
th2.start();
th3.start();
}
}
|
When you run above program, you will get below output:
|
Thread 1 is user thread
Thread 3 is user thread
Thread 2 is daemon thread
|
Please note that you can not convert user thread to daemon thread once it is started otherwise it will throw IllegalThreadStateException.
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
|
package org.arpit.java2blog;
class SimpleThread implements Runnable{
public void run()
{
if(Thread.currentThread().isDaemon())
System.out.println(Thread.currentThread().getName()+" is daemon thread");
else
System.out.println(Thread.currentThread().getName()+" is user thread");
}
}
public class DaemonThreadMain {
public static void main(String[] args){
SimpleThread st=new SimpleThread();
Thread th1=new Thread(st,"Thread 1");//creating threads
Thread th2=new Thread(st,"Thread 2");
Thread th3=new Thread(st,"Thread 3");
th1.start();//starting all threads
th2.start();
th3.start();
th2.setDaemon(true);//now converting user thread to daemon thread after starting the thread.
}
}
|
When you run above program, you will get below output:
|
Thread 1 is user threadException in thread "main"
Thread 2 is user thread
Thread 3 is user thread
java.lang.IllegalThreadStateException
at java.lang.Thread.setDaemon(Thread.java:1388)
at org.arpit.java2blog.DaemonThreadMain.main(DaemonThreadMain.java:28)
|