Java에서 타이머를 설정하는 방법은 무엇입니까? 연결하려고 시도한

2 분 동안 타이머를 설정하여 데이터베이스에 연결하려고 시도한 다음 연결에 문제가있는 경우 예외를 throw하는 방법은 무엇입니까?



답변

답의 첫 번째 부분은 처음에 그것을 해석 한 방법이었고 몇몇 사람들이 도움이되는 것처럼 보였으므로 주제가 요구하는 것을 수행하는 방법입니다. 질문은 명확 해졌고 그 문제를 해결하기 위해 답변을 확장했습니다.

타이머 설정

먼저 타이머를 만들어야합니다 ( java.util여기서는 버전을 사용하고 있습니다).

import java.util.Timer;

..

Timer timer = new Timer();

일단 작업을 실행하려면 다음을 수행하십시오.

timer.schedule(new TimerTask() {
  @Override
  public void run() {
    // Your database code here
  }
}, 2*60*1000);
// Since Java-8
timer.schedule(() -> /* your database code here */, 2*60*1000);

지속 시간 후에 작업을 반복하려면 다음을 수행하십시오.

timer.scheduleAtFixedRate(new TimerTask() {
  @Override
  public void run() {
    // Your database code here
  }
}, 2*60*1000, 2*60*1000);

// Since Java-8
timer.scheduleAtFixedRate(() -> /* your database code here */, 2*60*1000, 2*60*1000);

작업 시간 초과 만들기

명확한 질문이 요구하는 것을 구체적으로 수행하기 위해, 주어진 기간 동안 작업을 수행하려고 시도하면 다음을 수행 할 수 있습니다.

ExecutorService service = Executors.newSingleThreadExecutor();

try {
    Runnable r = new Runnable() {
        @Override
        public void run() {
            // Database task
        }
    };

    Future<?> f = service.submit(r);

    f.get(2, TimeUnit.MINUTES);     // attempt the task for two minutes
}
catch (final InterruptedException e) {
    // The thread was interrupted during sleep, wait or join
}
catch (final TimeoutException e) {
    // Took too long!
}
catch (final ExecutionException e) {
    // An exception from within the Runnable task
}
finally {
    service.shutdown();
}

작업이 2 분 이내에 완료되면 예외와 함께 정상적으로 실행됩니다. 그보다 오래 실행되면 TimeoutException이 발생합니다.

한 가지 문제는 2 분 후에도 TimeoutException이 발생 하더라도 데이터베이스 또는 네트워크 연결이 결국 시간 초과되고 스레드에서 예외가 발생하더라도 작업이 실제로 계속 실행 된다는 것입니다. 그러나 그렇게 될 때까지 리소스를 소비 할 수 있습니다.


답변

이것을 사용하십시오

long startTime = System.currentTimeMillis();
long elapsedTime = 0L.

while (elapsedTime < 2*60*1000) {
    //perform db poll/check
    elapsedTime = (new Date()).getTime() - startTime;
}

//Throw your exception


답변

좋아, 나는 지금 당신의 문제를 이해한다고 생각합니다. 미래를 사용하여 무언가를 시도한 후 아무 일도 일어나지 않으면 시간이 초과되면 시간 초과 될 수 있습니다.

예 :

FutureTask<Void> task = new FutureTask<Void>(new Callable<Void>() {
  @Override
  public Void call() throws Exception {
    // Do DB stuff
    return null;
  }
});

Executor executor = Executors.newSingleThreadScheduledExecutor();
executor.execute(task);

try {
  task.get(5, TimeUnit.SECONDS);
}
catch(Exception ex) {
  // Handle your exception
}


답변

    new java.util.Timer().schedule(new TimerTask(){
        @Override
        public void run() {
            System.out.println("Executed...");
           //your code here 
           //1000*5=5000 mlsec. i.e. 5 seconds. u can change accordngly 
        }
    },1000*5,1000*5); 


답변

[Android] 누군가 java를 사용하여 android에서 타이머 를 구현하려는 경우 .

작업을 수행하려면 이와 같은 UI 스레드를 사용해야 합니다.

Timer timer = new Timer();
timer.schedule(new TimerTask() {
           @Override
            public void run() {
                ActivityName.this.runOnUiThread(new Runnable(){
                    @Override
                      public void run() {
                       // do something
                      }
                });
            }
        }, 2000));


답변