반응형
프로그래밍 방식으로 Spring을 사용하여 작업 예약 (동적으로 설정되는 fixedRate 사용)
현재 나는 이것을 가지고있다 :
@Scheduled(fixedRate=5000)
public void getSchedule(){
System.out.println("in scheduled job");
}
속성에 대한 참조를 사용하도록 변경할 수 있습니다.
@Scheduled(fixedRate=${myRate})
public void getSchedule(){
System.out.println("in scheduled job");
}
그러나 앱을 재배포하지 않고도 일정을 변경할 수 있도록 프로그래밍 방식으로 얻은 값을 사용해야합니다. 가장 좋은 방법은 무엇입니까? 주석 사용이 불가능할 수 있음을 알고 있습니다.
를 사용 Trigger
하면 즉시 다음 실행 시간을 계산할 수 있습니다.
다음과 같은 것이 트릭을 수행해야합니다 (을위한 Javadoc에서 수정 됨@EnableScheduling
).
@Configuration
@EnableScheduling
public class MyAppConfig implements SchedulingConfigurer {
@Autowired
Environment env;
@Bean
public MyBean myBean() {
return new MyBean();
}
@Bean(destroyMethod = "shutdown")
public Executor taskExecutor() {
return Executors.newScheduledThreadPool(100);
}
@Override
public void configureTasks(ScheduledTaskRegistrar taskRegistrar) {
taskRegistrar.setScheduler(taskExecutor());
taskRegistrar.addTriggerTask(
new Runnable() {
@Override public void run() {
myBean().getSchedule();
}
},
new Trigger() {
@Override public Date nextExecutionTime(TriggerContext triggerContext) {
Calendar nextExecutionTime = new GregorianCalendar();
Date lastActualExecutionTime = triggerContext.lastActualExecutionTime();
nextExecutionTime.setTime(lastActualExecutionTime != null ? lastActualExecutionTime : new Date());
nextExecutionTime.add(Calendar.MILLISECOND, env.getProperty("myRate", Integer.class)); //you can get the value from wherever you want
return nextExecutionTime.getTime();
}
}
);
}
}
또한 다음과 같은 간단한 접근 방식을 사용할 수 있습니다.
private int refreshTickNumber = 10;
private int tickNumber = 0;
@Scheduled(fixedDelayString = "${some.rate}")
public void nextStep() {
if (tickNumber < refreshTickNumber) {
tickNumber++;
return;
}
else {
tickNumber = 0;
}
// some code
}
refreshTickNumber
런타임에 완전히 구성 할 수 있으며 @Value
주석 과 함께 사용할 수 있습니다 .
TaskScheduler 및 ScheduledFuture를 사용하여 다시 시작 예약을 관리 할 수 있습니다.
@Configuration
@EnableScheduling
@Component
public class CronConfig implements SchedulingConfigurer , SchedulerObjectInterface{
@Autowired
private ScheduledFuture<?> future;
@Autowired
private TaskScheduler scheduler;
@Bean
public SchedulerController schedulerBean() {
return new SchedulerController();
}
@Bean(destroyMethod = "shutdown")
public Executor taskExecutor() {
return Executors.newScheduledThreadPool(100);
}
@Override
public void start() {
future = scheduler.schedule(new Runnable() {
@Override
public void run() {
//System.out.println(JOB + " Hello World! " + new Date());
schedulerBean().schedulerJob();
}
}, new Trigger() {
@Override public Date nextExecutionTime(TriggerContext triggerContext) {
Calendar nextExecutionTime = new GregorianCalendar();
Date lastActualExecutionTime = triggerContext.lastActualExecutionTime();
nextExecutionTime.setTime(convertExpresssiontoDate());//you can get the value from wherever you want
return nextExecutionTime.getTime();
}
});
}
@Override
public void stop() {
future.cancel(true);
}
@Override
public void configureTasks(ScheduledTaskRegistrar taskRegistrar) {
// TODO Auto-generated method stub
start();
}
}
시작 정지를위한 인터페이스 :
public interface SchedulerObjectInterface {
void start();
void stop();
}
이제 @Autowired SchedulerObjectInterface를 사용하여 스케줄링을 중지했다가 다시 시작할 수 있습니다 (다시 시작).
Simple Spring Boot example restricted to second, minute, and hourly intervals. Intent of this example is to demonstrate conditional handling of two properties, TimeUnit and interval.
Properties:
snapshot.time-unit=SECONDS
snapshot.interval=5
Scheduled method:
@Scheduled(cron = "*/1 * * * * *")
protected void customSnapshotScheduler()
{
LocalDateTime now = LocalDateTime.now();
TimeUnit timeUnit = TimeUnit.valueOf(snapshotProperties.getSnapshot().getTimeUnit());
int interval = snapshotProperties.getSnapshot().getInterval();
if (TimeUnit.SECONDS == timeUnit
&& now.getSecond() % interval == 0)
{
this.camService.writeSnapshot(webcam.getImage());
}
if (TimeUnit.MINUTES == timeUnit
&& now.getMinute() % interval == 0)
{
this.camService.writeSnapshot(webcam.getImage());
}
if (TimeUnit.HOURS == timeUnit
&& now.getHour() % interval == 0)
{
this.camService.writeSnapshot(webcam.getImage());
}
}
반응형
'Programing' 카테고리의 다른 글
Android-홈 버튼 클릭을 비활성화 할 수 있습니까? (0) | 2020.12.02 |
---|---|
VS2012 용 Crystal Reports-VS2013-VS2015-VS2017 (0) | 2020.12.01 |
VS 2012에 ASP.NET MVC 5 웹 응용 프로그램 템플릿이 없습니까? (0) | 2020.12.01 |
NHibernate의 성능을 향상시키는 가장 좋은 방법은 무엇입니까? (0) | 2020.12.01 |
화면을 비트 맵으로 캡처 (0) | 2020.12.01 |