Monday, March 5, 2012

How do I create a deamon thread in Java?


A daemon thread is simply a background thread that is subordinate to the thread that creates it, so when the thread that created the daemon thread ends, the daemon thread dies with it. A thread that is not a daemon thread is called a user thread. To create a daemon thread, call setDaemon() method with a true boolean value as argument before the thread is started.

public class DaemonThread implements Runnable {
    private String threadName;

    DaemonThread(String threadName) {
        this.threadName = threadName;
    }

    public void run() {
        System.out.println("Running [" + threadName + "]");
    }

    public static void main(String[] args) {
        Thread t1 = new Thread(new DaemonThread("FirstThread"));
        Thread t2 = new Thread(new DaemonThread("SecondThread"));

        //
        // t1 is as daemon thread
        //
        t1.setDaemon(true);
        t1.start();

        //
        // t2 is a user thread
        //
        t2.start();
    }
}

No comments:

Post a Comment