State-Aware Scheduling
Overviewโ
State-aware scheduling extends Brobot's scheduling capabilities to automatically validate and manage active states before executing scheduled tasks. This ensures that automation runs with the correct GUI context and can recover from unexpected state changes.
Note: Code examples in this guide omit imports and some boilerplate code for clarity. When implementing, add necessary Spring annotations (
@Component,@Service), dependency injection, and standard Java imports (java.util.*,java.util.concurrent.*).
Core Conceptsโ
The Challengeโ
Traditional scheduled tasks in GUI automation face several challenges:
- GUI state may change unexpectedly between task executions
- Applications may crash or navigate to unexpected screens
- Background processes may alter the interface
- User interactions may interfere with automation
The Solutionโ
State-aware scheduling addresses these challenges by:
- Validating required states before each task execution
- Automatically rebuilding states when necessary
- Providing configurable behavior for different scenarios
- Maintaining separation between scheduling and state management concerns
Implementationโ
How StateAwareScheduler Worksโ
The StateAwareScheduler automatically performs state validation before each task execution. When you schedule a task with state checking, the scheduler internally:
- Validates that all required states are active based on your configuration
- Optionally rebuilds states if they're missing (when rebuildOnMismatchis true)
- Executes your task only after successful state validation
- Handles errors based on your skipIfStatesMissingsetting
Using StateAwareSchedulerโ
Here's how to use the StateAwareScheduler in your own service:
import io.github.jspinak.brobot.navigation.monitoring.StateAwareScheduler;
import lombok.RequiredArgsConstructor;
import org.springframework.stereotype.Component;
import java.util.List;
import java.util.concurrent.*;
@Component
@RequiredArgsConstructor
public class MyAutomationService {
    private final StateAwareScheduler stateAwareScheduler;
    private final ScheduledExecutorService scheduler =
        Executors.newScheduledThreadPool(1);
    public void startAutomation() {
        // Configure what states must be active
        StateAwareScheduler.StateCheckConfiguration config =
            new StateAwareScheduler.StateCheckConfiguration.Builder()
                .withRequiredStates(List.of("Dashboard", "LoggedIn"))
                .withRebuildOnMismatch(true)
                .build();
        // Schedule your task with automatic state checking
        ScheduledFuture<?> future = stateAwareScheduler.scheduleWithStateCheck(
            scheduler,
            this::myAutomationTask,  // Your task
            config,                   // State requirements
            0,                       // Initial delay
            10,                      // Period
            TimeUnit.SECONDS
        );
    }
    private void myAutomationTask() {
        // This runs AFTER states are validated
        // Dashboard and LoggedIn states are guaranteed to be checked
        log.info("Running automation with verified states");
    }
}
The state validation happens automatically before your task runs. Depending on your checkMode configuration:
- CHECK_ALL: Validates all required states every time
- CHECK_INACTIVE_ONLY: Only validates states that are currently inactive (more efficient)
Configuration Optionsโ
Configure state checking behavior with the builder pattern:
StateAwareScheduler.StateCheckConfiguration config = new StateAwareScheduler.StateCheckConfiguration.Builder()
    .withRequiredStates(List.of("MainMenu", "Dashboard"))
    .withRebuildOnMismatch(true)
    .withSkipIfStatesMissing(false)
    .withCheckMode(StateAwareScheduler.StateCheckConfiguration.CheckMode.CHECK_INACTIVE_ONLY)
    .withMaxIterations(100)  // Optional: limit iterations
    .build();
Configuration Parametersโ
| Parameter | Type | Default | Description | 
|---|---|---|---|
| requiredStates | List<String> | Empty | States that must be active before task execution | 
| rebuildOnMismatch | boolean | true | Whether to rebuild states if requirements not met | 
| skipIfStatesMissing | boolean | false | Skip task execution if states cannot be validated | 
| checkMode | CheckMode | CHECK_INACTIVE_ONLY | CHECK_ALL checks all states, CHECK_INACTIVE_ONLY only checks inactive ones | 
| maxIterations | int | -1 (unlimited) | Maximum number of task executions before stopping | 
Check Modesโ
- CHECK_ALL: Validates all required states every time, regardless of current active status
- CHECK_INACTIVE_ONLY: Only validates states that are currently inactive (more efficient)
Usage Examplesโ
Basic Monitoring Taskโ
import io.github.jspinak.brobot.navigation.monitoring.StateAwareScheduler;
import org.springframework.stereotype.Service;
import jakarta.annotation.PostConstruct;
import java.util.List;
import java.util.concurrent.*;
@Service
public class ApplicationMonitor {
    private final StateAwareScheduler stateAwareScheduler;
    private final ScheduledExecutorService scheduler =
        Executors.newScheduledThreadPool(1);
    public ApplicationMonitor(StateAwareScheduler stateAwareScheduler) {
        this.stateAwareScheduler = stateAwareScheduler;
    }
    @PostConstruct
    public void startMonitoring() {
        StateAwareScheduler.StateCheckConfiguration config = new StateAwareScheduler.StateCheckConfiguration.Builder()
                .withRequiredStates(List.of("Application"))
                .withRebuildOnMismatch(true)
                .build();
        
        stateAwareScheduler.scheduleWithStateCheck(
                scheduler,
                this::checkApplicationHealth,
                config,
                5, // initial delay
                10, // period
                TimeUnit.SECONDS
        );
    }
    
    private void checkApplicationHealth() {
        // This runs only after automatic state validation
        // The scheduler has already verified "Application" state is active
        // No need to manually check states here
    }
}
Complex Workflow Automationโ
import io.github.jspinak.brobot.navigation.monitoring.StateAwareScheduler;
import org.springframework.stereotype.Component;
import java.util.List;
import java.util.concurrent.*;
@Component
public class DataSyncAutomation {
    private final StateAwareScheduler stateAwareScheduler;
    private final ScheduledExecutorService scheduler;
    public DataSyncAutomation(StateAwareScheduler stateAwareScheduler) {
        this.stateAwareScheduler = stateAwareScheduler;
        this.scheduler = Executors.newScheduledThreadPool(2);
    }
    public void setupPeriodicSync() {
        // Different configurations for different stages
        StateAwareScheduler.StateCheckConfiguration loginConfig =
            new StateAwareScheduler.StateCheckConfiguration.Builder()
                .withRequiredStates(List.of("LoginScreen"))
                .withRebuildOnMismatch(true)
                .withSkipIfStatesMissing(true) // Skip if can't find login
                .build();
        StateAwareScheduler.StateCheckConfiguration dataConfig =
            new StateAwareScheduler.StateCheckConfiguration.Builder()
                .withRequiredStates(List.of("DataDashboard", "SyncPanel"))
                .withRebuildOnMismatch(false) // Don't rebuild, just skip
                .withSkipIfStatesMissing(true)
                .build();
        // Chain multiple state-aware tasks
        CompletableFuture.runAsync(() -> {
            stateAwareScheduler.scheduleWithStateCheck(
                scheduler, this::performLogin, loginConfig, 0, 10, TimeUnit.SECONDS
            );
        }).thenRun(() -> {
            stateAwareScheduler.scheduleWithStateCheck(
                scheduler, this::syncData, dataConfig, 0, 10, TimeUnit.SECONDS
            );
        });
    }
    private void performLogin() {
        // Implementation not shown
    }
    private void syncData() {
        // Implementation not shown
    }
}
Error Recovery Automationโ
import io.github.jspinak.brobot.navigation.monitoring.StateAwareScheduler;
import io.github.jspinak.brobot.statemanagement.StateDetector;
import org.springframework.stereotype.Service;
import java.util.List;
import java.util.concurrent.*;
@Service
public class ErrorRecoveryService {
    private final StateAwareScheduler stateAwareScheduler;
    private final ScheduledExecutorService scheduler;
    private final StateDetector stateDetector;
    public ErrorRecoveryService(StateAwareScheduler stateAwareScheduler,
                                StateDetector stateDetector) {
        this.stateAwareScheduler = stateAwareScheduler;
        this.stateDetector = stateDetector;
        this.scheduler = Executors.newScheduledThreadPool(1);
    }
    public void setupErrorMonitoring() {
        StateAwareScheduler.StateCheckConfiguration config =
            new StateAwareScheduler.StateCheckConfiguration.Builder()
                .withRequiredStates(List.of("NormalOperation"))
                .withRebuildOnMismatch(true)
                .build();
        // Check every 30 seconds for error states
        stateAwareScheduler.scheduleWithStateCheck(
                scheduler,
                this::checkAndRecoverFromErrors,
                config,
                0, 30, TimeUnit.SECONDS
        );
    }
    private void checkAndRecoverFromErrors() {
        // If we're here, normal operation state was validated
        // Now check for any error dialogs
        if (stateDetector.findState("ErrorDialog")) {
            handleErrorDialog();
            // State will be rebuilt on next cycle
        }
    }
    private void handleErrorDialog() {
        // Implementation not shown
    }
}
Integration with MonitoringServiceโ
State-aware scheduling complements the existing MonitoringService:
import io.github.jspinak.brobot.navigation.monitoring.MonitoringService;
import io.github.jspinak.brobot.navigation.monitoring.StateAwareScheduler;
import org.springframework.stereotype.Component;
import java.util.List;
@Component
public class EnhancedMonitoring {
    private final MonitoringService monitoringService;
    private final StateAwareScheduler stateAwareScheduler;
    public EnhancedMonitoring(MonitoringService monitoringService,
                             StateAwareScheduler stateAwareScheduler) {
        this.monitoringService = monitoringService;
        this.stateAwareScheduler = stateAwareScheduler;
    }
    public void startStateAwareMonitoring() {
        // Create state validation hook
        Runnable stateCheck = stateAwareScheduler.createStateCheckHook(
            new StateAwareScheduler.StateCheckConfiguration.Builder()
                .withRequiredStates(List.of("Application"))
                .build()
        );
        // Combine with monitoring service
        monitoringService.startContinuousTask(
            () -> {
                stateCheck.run(); // Validate states first
                performMonitoringTask();
            },
            () -> isApplicationRunning(),
            5 // delay seconds
        );
    }
    private void performMonitoringTask() {
        // Implementation not shown
    }
    private boolean isApplicationRunning() {
        // Implementation not shown
        return true;
    }
}
Best Practicesโ
1. Choose Appropriate Required Statesโ
// Too specific - might fail unnecessarily
.withRequiredStates(List.of("MainMenu", "SubMenu", "SpecificDialog"))
// Better - focus on essential states
.withRequiredStates(List.of("Application", "MainWorkflow"))
2. Configure Rebuild Behavior Carefullyโ
// For critical workflows - always rebuild
.withRebuildOnMismatch(true)
.withSkipIfStatesMissing(false)
// For optional tasks - skip if states missing
.withRebuildOnMismatch(false)
.withSkipIfStatesMissing(true)
3. Handle State Check Failuresโ
public void scheduleWithFallback() {
    try {
        stateAwareScheduler.scheduleWithStateCheck(
            scheduler, mainTask, mainConfig, 0, 10, TimeUnit.SECONDS
        );
    } catch (IllegalStateException e) {
        // Fallback to simpler state requirements
        stateAwareScheduler.scheduleWithStateCheck(
            scheduler, fallbackTask, fallbackConfig, 0, 10, TimeUnit.SECONDS
        );
    }
}
4. Use Property Configurationโ
# application.properties
app.monitoring.required-states=Dashboard,Navigation
app.monitoring.rebuild-on-mismatch=true
app.monitoring.check-interval=5
@Value("${app.monitoring.required-states}")
private List<String> requiredStates;
@Value("${app.monitoring.rebuild-on-mismatch}")
private boolean rebuildOnMismatch;
Performance Considerationsโ
- State Detection Overhead: State checking adds overhead to each task execution
- Rebuild Cost: Full state rebuilding can be expensive - use judiciously
- Frequency Balance: Balance checking frequency with performance impact
// High-frequency task with minimal state checking
StateAwareScheduler.StateCheckConfiguration lightConfig = new StateAwareScheduler.StateCheckConfiguration.Builder()
    .withRequiredStates(List.of("MainApp")) // Single state check
    .withRebuildOnMismatch(false)          // No rebuild
    .build();
// Low-frequency task with thorough checking
StateAwareScheduler.StateCheckConfiguration thoroughConfig = new StateAwareScheduler.StateCheckConfiguration.Builder()
    .withRequiredStates(List.of("App", "Module", "Feature"))
    .withRebuildOnMismatch(true)
    .build();
Troubleshootingโ
Common Issuesโ
- States Not Found: Ensure state names match exactly
- Excessive Rebuilding: Consider reducing rebuild frequency
- Task Skipping: Check logs for state validation failures
Debug Loggingโ
Enable debug logging to troubleshoot state checking:
logging.level.com.yourapp.scheduling=DEBUG
logging.level.io.github.jspinak.brobot.statemanagement=DEBUG
Future Enhancementsโ
Potential improvements to state-aware scheduling:
- Machine Learning Integration: Predict state changes and pre-validate
- State Change Events: React to state changes rather than polling
- Hierarchical State Checking: Check parent states before children
- Performance Optimization: Cache state detection results
- Advanced Recovery: Custom recovery strategies per state
Summaryโ
State-aware scheduling provides a robust foundation for reliable GUI automation by:
- Ensuring correct state context before task execution
- Automatically recovering from state mismatches
- Maintaining clean separation of concerns
- Providing flexible configuration options
This pattern is especially valuable for long-running automation, background monitoring, and complex workflows where GUI state integrity is critical.
Related Documentationโ
- Core Concepts - State management fundamentals and architecture
- States Overview - Understanding states and the @State annotation
- Pathfinding - Path cost configuration for state transitions
- Dynamic Transitions - Hidden states, overlays, and CurrentState/PreviousState patterns
- Multi-State Transitions - Coordinating transitions across multiple states
- Mock Mode Testing - Testing state-aware scheduling without GUI
- Claude Automator Tutorial - Real-world example using StateAwareScheduler