在Jenkins中重复运行Java代码给定的持续时间

时间:2014-08-21 06:22:53

标签: java jenkins

我想运行java代码一段时间,比如说16个小时!我有一个运行大约一个小时的java代码。我想让它重复运行16个小时。所以我有一个用户通过Jenkins传递的参数!我使用

访问此值
System.getenv("Duration");

现在,我想在指定时间后退出执行。因此假设用户选择了16,脚本应该运行16个小时然后退出。

Accepting input from Jenkins user as shown in the image

我看到了其他一些问题,但大多数问题都是在几秒或几分钟内处理计时器。我需要一个有效的解决方案谢谢:)

仅供参考 - 环境 - Jenkins + TestNG + Maven + Java

编辑:

long start = System.currentTimeMillis();
long end = start + durationInHours*60*60*1000; 

while (System.currentTimeMillis() < end)
{
    //My code here runs for  approx. 50 mins!
}

现在假设用户选择3小时的值,我希望while循环在3小时后退出。但是这没有发生,因为它在检查时间条件时还没有完成3个小时。因此即使是第4次进入while状态(由于时间过去150分钟,小于180分钟),它在3小时后结束10分钟。

如何在达到180分钟后立即退出while循环?

P.S - 我可以先做数学,(iterations = durationFromUser / codeDuration),然后运行for循环,但我不想这样做,因为我的脚本长度可能会有所不同。

编辑2:

boolean alive = true;
Timer timer = new Timer();

@Test() //Annotation from TestNG
public void public void jenkinsEntryPoint()
{
    String duration = System.getenv("Duration");
    int durationInHours=Integer.parseInt(duration);
     long end = System.currentTimeMillis() + durationInHours*60*60*1000;
 TimerTask task = new TimerTask() {
     public void run() {
        alive = false;
     };

 timer.schedule(task, end);
 while (alive) {
     //My code here runs for  approx. 50 mins!
     function1();
 }

}

void function1() {
  function2();
}

private void function2() {
 for(i=0;i<8;i++)
 {
  while(alive)
  {

    //long running code
    sleep(1000);
    //Some more code
    sleep(2000);
    //Some more code
    //Suppose time elapses here, I want it to quit
    //But its continuing to execute
    .
    . 
    .
    .

  }
 }
}

2 个答案:

答案 0 :(得分:1)

while条件只会在脚本调用之间进行评估(如您所见)。你将不得不从内部突破长跑。

我通常会使用Timer设置一个“全局”布尔值,您可以在长时间运行的代码中检查循环内部。

像这样的东西。针对'alive'的通知检查必须在所有长循环中...

boolean alive = true;
Timer timer = new Timer();

public void jenkinsEntryPoint()
     long end = System.currentTimeMillis() + durationInHours*60*60*1000;
     TimerTask task = new TimerTask() {
         public void run() {
            alive = false;
         };

     timer.schedule(task, end);
     while (alive) {
         //My code here runs for  approx. 50 mins!
         yourLongRunningCode()
     }

public void yourLongRunningCode() {
    while (alive) {
        doStuff();
    }
}

答案 1 :(得分:1)

我尝试过ScheduledThreadPoolExecutor并且它有效!

ScheduledThreadPoolExecutor exec = new ScheduledThreadPoolExecutor(1);
exec.scheduleAtFixedRate(new Runnable() {
           public void run() {
               System.out.println("Time's Up According To ScheduledThreadPool");
               alive = false;
           }
       }, durationInHours, 1, TimeUnit.HOURS); 

此功能将在&#34; durationInHours&#34;之后执行。

谢谢@TedBigham:)