ActionHistory Integration Testing
Overviewโ
ActionHistory is the core component of Brobot's mock testing framework, enabling realistic simulation of GUI automation without requiring the actual application. It maintains a statistical model of how GUI elements behave, capturing not just whether elements were found but also when, where, and under what conditions.
Understanding ActionHistoryโ
What is ActionHistory?โ
ActionHistory is a data structure that accumulates ActionRecord snapshots over time, building a probabilistic model of GUI behavior. This historical data serves two critical purposes:
- Mock Execution: Enables realistic testing without the target application
- Pattern Learning: Provides empirical data for optimizing automation strategies
Key Componentsโ
public class ActionHistory {
    private int timesSearched = 0;      // Total search attempts
    private int timesFound = 0;         // Successful finds
    private List<ActionRecord> snapshots = new ArrayList<>();  // Historical records
}
Each ActionRecord contains:
- ActionConfig: The action configuration (modern API)
- Match Results: Screenshot regions where patterns were found
- Success Status: Whether the action succeeded
- Timing Data: Duration and timestamps
- Context: State and environment information
Modern API Usageโ
Creating ActionHistory with ActionConfigโ
The modern API uses strongly-typed ActionConfig classes instead of the deprecated ActionOptions:
import io.github.jspinak.brobot.model.action.ActionHistory;
import io.github.jspinak.brobot.model.action.ActionRecord;
import io.github.jspinak.brobot.action.basic.find.PatternFindOptions;
import io.github.jspinak.brobot.model.match.Match;
// Create an ActionHistory
ActionHistory history = new ActionHistory();
// Add a find action record
ActionRecord findRecord = new ActionRecord.Builder()
    .setActionConfig(new PatternFindOptions.Builder()
        .setStrategy(PatternFindOptions.Strategy.BEST)
        .setSimilarity(0.95)
        .build())
    .addMatch(new Match.Builder()
        .setRegion(100, 200, 50, 30)  // x, y, width, height
        .setSimScore(0.96)
        .build())
    .setActionSuccess(true)
    .setDuration(250)  // milliseconds
    .build();
history.addSnapshot(findRecord);
Recording Different Action Typesโ
Click Actionsโ
import io.github.jspinak.brobot.action.basic.click.ClickOptions;
ActionRecord clickRecord = new ActionRecord.Builder()
    .setActionConfig(new ClickOptions.Builder()
        .setNumberOfClicks(2)  // Double-click
        .setPauseBeforeMouseDown(100)
        .setPauseAfterMouseUp(100)
        .build())
    .addMatch(new Match.Builder()
        .setRegion(150, 250, 40, 20)
        .setSimScore(0.92)
        .build())
    .setActionSuccess(true)
    .build();
history.addSnapshot(clickRecord);
Type Actions with Textโ
import io.github.jspinak.brobot.action.basic.type.TypeOptions;
ActionRecord typeRecord = new ActionRecord.Builder()
    .setActionConfig(new TypeOptions.Builder()
        .setPauseBeforeBegin(200)
        .setPauseAfterEnd(100)
        .build())
    .setText("Hello World")
    .setActionSuccess(true)
    .build();
history.addSnapshot(typeRecord);
Vanish Actionsโ
import io.github.jspinak.brobot.action.basic.vanish.VanishOptions;
ActionRecord vanishRecord = new ActionRecord.Builder()
    .setActionConfig(new VanishOptions.Builder()
        .setWaitTime(5.0)  // seconds
        .build())
    .setActionSuccess(true)  // Element disappeared
    .setDuration(3500)  // Vanished after 3.5 seconds
    .build();
history.addSnapshot(vanishRecord);
Integration Testing Setupโ
1. Configure Mock Executionโ
Enable mock mode in your test configuration:
# application-test.properties
brobot.mock=true
ActionHistory Persistence: Brobot provides two levels of persistence:
- 
Library Level ( ActionHistoryPersistence) - File-based JSON persistence for test data- Location: io.github.jspinak.brobot.tools.actionhistory.ActionHistoryPersistence
- Use Case: Mock testing, CI/CD test fixtures, development debugging
- Storage: src/test/resources/histories/directory
- Format: JSON files with session metadata
 
- Location: 
- 
Runner Level (Optional) - Database persistence with GUI - Location: Brobot Runner application (ActionRecordingService)
- Use Case: Live recording during automation execution, session management
- Storage: H2 database with export to JSON/CSV
- Note: Runner is a separate application, not required for testing
 
- Location: Brobot Runner application (
Most users will use the library-level ActionHistoryPersistence for creating mock test data. The Runner provides additional database persistence for live automation recording.
2. Initialize State Objects with ActionHistoryโ
import io.github.jspinak.brobot.model.state.stateObject.StateImage;
import io.github.jspinak.brobot.model.action.ActionHistory;
@Component
public class LoginStateInitializer {
    
    public StateImage createLoginButton() {
        StateImage loginButton = new StateImage.Builder()
            .addPattern("login-button.png")
            .build();
        
        // Add historical data for realistic mocking
        ActionHistory history = new ActionHistory();
        
        // Simulate 90% success rate
        for (int i = 0; i < 100; i++) {
            boolean success = i < 90;  // 90% success
            
            ActionRecord record = new ActionRecord.Builder()
                .setActionConfig(new PatternFindOptions.Builder()
                    .setStrategy(PatternFindOptions.Strategy.BEST)
                    .build())
                .setActionSuccess(success)
                .addMatch(success ? createMatch() : null)
                .build();
            
            history.addSnapshot(record);
        }
        
        // Apply ActionHistory to all patterns in the StateImage
        loginButton.addActionSnapshotsToAllPatterns(history.getSnapshots().toArray(new ActionRecord[0]));
        return loginButton;
    }
    
    private Match createMatch() {
        return new Match.Builder()
            .setRegion(500, 400, 100, 40)
            .setSimScore(0.85 + Math.random() * 0.1)  // 0.85-0.95
            .build();
    }
}
3. Write Integration Testsโ
import org.junit.jupiter.api.Test;
import org.springframework.boot.test.context.SpringBootTest;
import org.springframework.test.context.TestPropertySource;
@SpringBootTest
@TestPropertySource(properties = {
    "brobot.mock=true"
})
public class LoginWorkflowIntegrationTest {
    
    @Autowired
    private LoginState loginState;
    
    @Autowired
    private ActionHistory actionHistory;
    
    @Test
    public void testLoginWorkflow() {
        // Pre-populate ActionHistory with realistic data
        prepareActionHistory();
        
        // Execute the workflow - will use ActionHistory for mocking
        boolean loginSuccess = loginState.execute();
        
        assertTrue(loginSuccess, "Login should succeed based on ActionHistory");
        
        // Verify action was recorded
        assertEquals(actionHistory.getTimesSearched(), 
                    actionHistory.getTimesFound() + 1);
    }
    
    private void prepareActionHistory() {
        // Add successful login button click
        ActionRecord loginClick = new ActionRecord.Builder()
            .setActionConfig(new ClickOptions.Builder().build())
            .addMatch(new Match.Builder()
                .setRegion(500, 400, 100, 40)
                .setSimScore(0.92)
                .build())
            .setActionSuccess(true)
            .build();
        
        actionHistory.addSnapshot(loginClick);
        
        // Add successful username field interaction
        ActionRecord usernameType = new ActionRecord.Builder()
            .setActionConfig(new TypeOptions.Builder().build())
            .setText("testuser@example.com")
            .setActionSuccess(true)
            .build();
        
        actionHistory.addSnapshot(usernameType);
    }
}
Advanced Testing Patternsโ
State-Specific ActionHistoryโ
Different states can have different success patterns:
public class StateSpecificTesting {
    
    @Test
    public void testStateTransitions() {
        Long loginStateId = 1L;
        Long mainStateId = 2L;
        
        // Add state-specific records
        ActionRecord loginRecord = new ActionRecord.Builder()
            .setActionConfig(new PatternFindOptions.Builder().build())
            .setState("LoginState")  // Use state name, not ID
            .setActionSuccess(true)
            .addMatch(createLoginMatch())
            .build();
        ActionRecord mainRecord = new ActionRecord.Builder()
            .setActionConfig(new PatternFindOptions.Builder().build())
            .setState("MainState")  // Use state name, not ID
            .setActionSuccess(true)
            .addMatch(createMainMatch())
            .build();
        
        actionHistory.addSnapshot(loginRecord);
        actionHistory.addSnapshot(mainRecord);
        
        // Query state-specific snapshots
        Optional<ActionRecord> loginSnapshot = actionHistory.getRandomSnapshot(
            new PatternFindOptions.Builder().build(),
            loginStateId
        );
        assertTrue(loginSnapshot.isPresent());
        assertEquals("LoginState", loginSnapshot.get().getStateName());
    }
}
Simulating Failuresโ
Test error handling with failure scenarios:
public class FailureSimulation {
    
    public ActionHistory createFlakeyButtonHistory() {
        ActionHistory history = new ActionHistory();
        Random random = new Random(42);  // Deterministic for testing
        
        for (int i = 0; i < 20; i++) {
            boolean success = random.nextDouble() < 0.7;  // 70% success
            
            ActionRecord record = new ActionRecord.Builder()
                .setActionConfig(new ClickOptions.Builder().build())
                .setActionSuccess(success)
                .addMatch(success ? createMatch() : null)
                .setDuration(success ? 200 : 5000)  // Timeout on failure
                .build();
            
            history.addSnapshot(record);
        }
        
        return history;
    }
    
    @Test
    public void testRetryMechanism() {
        ActionHistory flakeyHistory = createFlakeyButtonHistory();
        StateImage flakeyButton = new StateImage.Builder()
            .addPattern("flakey-button.png")
            .build();
        // Apply the flakey history to the button's patterns
        flakeyButton.addActionSnapshotsToAllPatterns(flakeyHistory.getSnapshots().toArray(new ActionRecord[0]));
        
        // Test retry logic
        int attempts = 0;
        boolean success = false;
        
        while (!success && attempts < 3) {
            Optional<ActionRecord> result = flakeyButton.getActionHistory()
                .getRandomSnapshot(new ClickOptions.Builder().build());
            
            success = result.map(ActionRecord::isActionSuccess).orElse(false);
            attempts++;
        }
        
        // Should eventually succeed with retries
        assertTrue(success || attempts == 3, 
            "Should succeed with retries or reach max attempts");
    }
}
Text Extraction Testingโ
public class TextExtractionTest {
    
    @Test
    public void testOCRResults() {
        ActionHistory ocrHistory = new ActionHistory();
        
        // Add OCR results with varying accuracy
        String[] expectedTexts = {
            "Username:",
            "Password:",
            "Login"
        };
        
        for (String text : expectedTexts) {
            ActionRecord ocrRecord = new ActionRecord.Builder()
                .setActionConfig(new PatternFindOptions.Builder().build())
                .setText(text)
                .addMatch(new Match.Builder()
                    .setRegion(100, 100 + ocrHistory.getSnapshots().size() * 50, 200, 30)
                    .setSimScore(0.95)
                    .build())
                .setActionSuccess(true)
                .build();
            
            ocrHistory.addSnapshot(ocrRecord);
        }
        
        // Test random text retrieval
        String randomText = ocrHistory.getRandomText();
        assertTrue(Arrays.asList(expectedTexts).contains(randomText));
        
        // Test all texts are accessible
        Set<String> retrievedTexts = new HashSet<>();
        for (int i = 0; i < 100; i++) {
            retrievedTexts.add(ocrHistory.getRandomText());
        }
        
        assertEquals(expectedTexts.length, retrievedTexts.size(),
            "All texts should be retrievable");
    }
}
Data-Driven Testingโ
Loading ActionHistory from Filesโ
import com.fasterxml.jackson.databind.ObjectMapper;
import java.nio.file.Files;
import java.nio.file.Path;
public class DataDrivenTests {
    
    private final ObjectMapper objectMapper = new ObjectMapper();
    
    @Test
    public void testWithHistoricalData() throws IOException {
        // Load pre-recorded ActionHistory
        Path historyFile = Path.of("src/test/resources/action-histories/login-flow.json");
        String json = Files.readString(historyFile);
        ActionHistory history = objectMapper.readValue(json, ActionHistory.class);
        
        // Use historical data for testing
        StateImage loginButton = new StateImage.Builder()
            .addPattern("login.png")
            .build();
        // Apply loaded history to the pattern
        loginButton.addActionSnapshotsToAllPatterns(history.getSnapshots().toArray(new ActionRecord[0]));
        
        // Run tests with real historical data
        Optional<ActionRecord> snapshot = history.getRandomSnapshot(
            new ClickOptions.Builder().build()
        );
        
        assertTrue(snapshot.isPresent());
        assertTrue(snapshot.get().isActionSuccess());
    }
    
    public void saveActionHistory(ActionHistory history, Path outputPath) 
            throws IOException {
        String json = objectMapper.writerWithDefaultPrettyPrinter()
            .writeValueAsString(history);
        Files.writeString(outputPath, json);
    }
}
Using ActionHistory from Brobot Runnerโ
The Brobot Runner application provides persistence for ActionHistory:
// Export ActionHistory from Runner
// 1. Run automation with recording enabled in Runner UI
// 2. Export session as JSON file
// 3. Load in your tests:
import com.fasterxml.jackson.databind.ObjectMapper;
@Service
public class ActionHistoryLoader {
    
    private final ObjectMapper objectMapper = new ObjectMapper();
    
    public ActionHistory loadFromRunnerExport(String filename) throws IOException {
        Path path = Path.of("test-data/runner-exports", filename);
        return objectMapper.readValue(path.toFile(), ActionHistory.class);
    }
    
    public Map<String, ActionHistory> loadAllExports() throws IOException {
        Map<String, ActionHistory> histories = new HashMap<>();
        Path exportDir = Path.of("test-data/runner-exports");
        
        Files.list(exportDir)
            .filter(p -> p.toString().endsWith(".json"))
            .forEach(path -> {
                try {
                    String name = path.getFileName().toString().replace(".json", "");
                    histories.put(name, loadFromRunnerExport(path.getFileName().toString()));
                } catch (IOException e) {
                    log.error("Failed to load {}", path, e);
                }
            });
        
        return histories;
    }
}
Workflow for Using Runner-Recorded Data:
- Record in Runner: Enable recording in the Runner UI during live automation
- Export Sessions: Export recorded sessions as JSON files
- Import in Tests: Load exported ActionHistory in your integration tests
- Replay Behavior: Use the recorded data for realistic mock testing
Performance Testingโ
Measuring Action Performanceโ
public class PerformanceTest {
    
    @Test
    public void testActionPerformance() {
        ActionHistory performanceHistory = new ActionHistory();
        
        // Simulate various response times
        for (int i = 0; i < 100; i++) {
            long duration = 100 + (long)(Math.random() * 900);  // 100-1000ms
            
            ActionRecord record = new ActionRecord.Builder()
                .setActionConfig(new PatternFindOptions.Builder().build())
                .setDuration(duration)
                .setActionSuccess(duration < 800)  // Timeout at 800ms
                .build();
            
            performanceHistory.addSnapshot(record);
        }
        
        // Analyze performance
        double avgDuration = performanceHistory.getSnapshots().stream()
            .mapToLong(ActionRecord::getDuration)
            .average()
            .orElse(0);
        
        long maxDuration = performanceHistory.getSnapshots().stream()
            .mapToLong(ActionRecord::getDuration)
            .max()
            .orElse(0);
        
        assertTrue(avgDuration < 600, "Average duration should be under 600ms");
        assertTrue(maxDuration < 1000, "Max duration should be under 1000ms");
    }
}
Best Practicesโ
1. Realistic Data Generationโ
Create ActionHistory that reflects real-world patterns:
public class RealisticDataGenerator {
    
    public ActionHistory generateRealisticHistory() {
        ActionHistory history = new ActionHistory();
        Random random = new Random();
        
        // Morning hours - higher success rate
        for (int hour = 9; hour < 12; hour++) {
            addHourlyData(history, hour, 0.95);  // 95% success
        }
        
        // Afternoon - slightly lower success
        for (int hour = 12; hour < 17; hour++) {
            addHourlyData(history, hour, 0.85);  // 85% success
        }
        
        // Evening - degraded performance
        for (int hour = 17; hour < 20; hour++) {
            addHourlyData(history, hour, 0.70);  // 70% success
        }
        
        return history;
    }
    
    private void addHourlyData(ActionHistory history, int hour, double successRate) {
        for (int i = 0; i < 10; i++) {
            boolean success = Math.random() < successRate;
            
            ActionRecord record = new ActionRecord.Builder()
                .setActionConfig(new PatternFindOptions.Builder().build())
                .setActionSuccess(success)
                .setTimeStamp(LocalDateTime.now()  // Note: capital 'S' in Stamp
                    .withHour(hour)
                    .withMinute(i * 6))
                .build();
            
            history.addSnapshot(record);
        }
    }
}
2. Isolation Between Testsโ
Ensure tests don't interfere with each other:
@TestInstance(TestInstance.Lifecycle.PER_METHOD)
public class IsolatedActionHistoryTest {
    
    private ActionHistory history;
    
    @BeforeEach
    void setUp() {
        // Fresh ActionHistory for each test
        history = new ActionHistory();
    }
    
    @AfterEach
    void tearDown() {
        // Clear any persistent data
        history = null;
    }
}
3. Deterministic Testingโ
Use seeded random for reproducible tests:
public class DeterministicTest {
    
    @Test
    @RepeatedTest(5)
    public void testDeterministicBehavior() {
        // Use fixed seed for reproducibility
        Random random = new Random(12345);
        ActionHistory history = createSeededHistory(random);
        
        // Results should be identical across runs
        List<Boolean> results = new ArrayList<>();
        for (int i = 0; i < 10; i++) {
            Optional<ActionRecord> snapshot = history.getRandomSnapshot(
                new PatternFindOptions.Builder().build()
            );
            results.add(snapshot.map(ActionRecord::isActionSuccess).orElse(false));
        }
        
        // Verify deterministic pattern
        assertEquals(Arrays.asList(true, true, false, true, true, 
                                  false, true, true, true, false), 
                    results);
    }
}
Troubleshootingโ
Common Issuesโ
- Empty ActionHistory: Ensure snapshots are added before querying
- Type Mismatches: Use consistent ActionConfig types
- State Context: Verify state IDs match when using state-specific queries
- Text Snapshots: Text-only snapshots need matches added automatically
Debug Loggingโ
Enable detailed logging for troubleshooting:
logging:
  level:
    io.github.jspinak.brobot.model.action: DEBUG
    io.github.jspinak.brobot.mock: DEBUG
Migration from Legacy APIโ
If you have existing tests using ActionOptions, see the Migration Guide for detailed migration instructions.
Related Documentationโ
ActionHistory & Testingโ
- ActionHistory Mock Snapshots - Using ActionHistory snapshots for mocking
- Action Recording - Recording ActionHistory during automation
- Mock Mode Guide - Comprehensive mock testing guide
- Testing Introduction - Overview of Brobot testing strategies
- Integration Testing - Integration testing patterns
Migration & Advanced Topicsโ
- Upgrading to Latest - Migration guide covering ActionHistory and ActionConfig updates
- Enhanced Mocking - Advanced mocking scenarios
Getting Startedโ
- States Guide - Understanding State and StateImage
- Core Concepts - Foundational Brobot concepts
- Quick Start - Getting started with Brobot
Configurationโ
- Properties Reference - Complete configuration properties
- BrobotProperties Usage - Using BrobotProperties in code