如何使用Web应用程序运行无限期后台进程/线程

时间:2013-01-14 22:16:13

标签: java java-ee web-applications glassfish

我希望能够从Web应用程序启动/暂停/退出后台进程。我希望这个过程无限期地运行。

用户可以访问网页。按一个按钮启动线程,它将一直运行,直到用户告诉它停止。

我正在尝试确定执行此操作的最佳工具。我看过像Quartz这样的东西,但是我还没有看到任何关于Quartz这样的东西对于一个不确定的线程是否有用的讨论。

我的第一个想法是做这样的事情。

public class Background implements Runnable{
    private running = true;

    run(){
         while(running){
              //processing 
        }
    }

    stop(){
        running = false;
    }
}

//Then to start
Background background = new Background();
new Thread(background).start();
getServletContext().setAttribute("background", background);

//Then to stop
background = getServletContext().getAttribute("background");
background.stop();

我要测试一下。但我很好奇是否有更好的方法来实现这一目标。

1 个答案:

答案 0 :(得分:1)

首先,放入Context的所有Object必须实现Serializable

我不建议将Background对象放入上下文中,而是创建一个BackgroundController类,其中包含private boolean running = true;属性。 getter和setter应为synchronised,以防止后台线程和Web请求线程发生冲突。同样,private boolean stopped = false;应该放在同一个类中。

我还做了一些其他更改,你必须将循环核心分成小单位(比如1次迭代),以便能够在活动中间的某个地方停止进程。

代码如下所示:

public class BackgroundController implements Serializable {
    private boolean running = true;
    private boolean stopped = false;
    public synchronized boolean isRunning() { 
        return running; 
    }
    public synchronized void setRunning(boolean running) { 
        this.running = running; 
    }
    public synchronized boolean isStopped() { 
        return stopped; 
    }
    public synchronized void stop() { 
        this.stopped = true; 
    }
}
public class Background implements Runnable {
    private BackgroundController control;
    public Background(BackgroundController control) {
        this.control = control;
    }

    run(){
         while(!isStopped()){
              if (control.isRunning()) {
                   // do 1 step of processing, call control.stop() if finished
              } else {
                   sleep(100); 
              }
        }
    }

}

//Then to start
BackgroundController control = new BackgroundController();
Background background = new Background(control);
new Thread(background).start();
getServletContext().setAttribute("backgroundcontrol", control);

//Then to pause
control = getServletContext().getAttribute("backgroundcontrol");
control.setRunning(false);

//Then to restart
control = getServletContext().getAttribute("backgroundcontrol");
control.setRunning(true);

//Then to stop
control = getServletContext().getAttribute("backgroundcontrol");
control.stop();