testing-android-code
This skill should be used when writing or reviewing tests for Android code in Bitwarden. Triggered by "BaseViewModelTest", "BitwardenComposeTest", "BaseServiceTest", "stateEventFlow", "bufferedMutableSharedFlow", "FakeDispatcherManager", "expectNoEvents", "assertCoroutineThrows", "createMockCipher", "createMockSend", "asSuccess", "Why is my Bitwarden test failing?", or testing questions about ViewModels, repositories, Compose screens, or data sources in Bitwarden.
Install
mkdir -p .claude/skills/testing-android-code && curl -L -o skill.zip "https://mcp.directory/api/skills/download/2250" && unzip -o skill.zip -d .claude/skills/testing-android-code && rm skill.zipInstalls to .claude/skills/testing-android-code
About this skill
Testing Android Code - Bitwarden Testing Patterns
This skill provides tactical testing guidance for Bitwarden-specific patterns. For comprehensive architecture and testing philosophy, consult docs/ARCHITECTURE.md.
Test Framework Configuration
Required Dependencies:
- JUnit 5 (jupiter), MockK, Turbine (app.cash.turbine)
- kotlinx.coroutines.test, Robolectric, Compose Test
Critical Note: Tests run with en-US locale for consistency. Don't assume other locales.
A. ViewModel Testing Patterns
Base Class: BaseViewModelTest
Always extend BaseViewModelTest for ViewModel tests.
Location: ui/src/testFixtures/kotlin/com/bitwarden/ui/platform/base/BaseViewModelTest.kt
Benefits:
- Automatically registers
MainDispatcherExtensionforUnconfinedTestDispatcher - Provides
stateEventFlow()helper for simultaneous StateFlow/EventFlow testing
Pattern:
class ExampleViewModelTest : BaseViewModelTest() {
private val mockRepository: ExampleRepository = mockk()
private val savedStateHandle = SavedStateHandle(mapOf(KEY_STATE to INITIAL_STATE))
@Test
fun `ButtonClick should fetch data and update state`() = runTest {
coEvery { mockRepository.fetchData(any()) } returns Result.success("data")
val viewModel = ExampleViewModel(savedStateHandle, mockRepository)
viewModel.stateFlow.test {
assertEquals(INITIAL_STATE, awaitItem())
viewModel.trySendAction(ExampleAction.ButtonClick)
assertEquals(INITIAL_STATE.copy(data = "data"), awaitItem())
}
coVerify { mockRepository.fetchData(any()) }
}
}
For complete examples: See references/test-base-classes.md
StateFlow vs EventFlow (Critical Distinction)
| Flow Type | Replay | First Action | Pattern |
|---|---|---|---|
| StateFlow | Yes (1) | awaitItem() gets current state | Expect initial → trigger → expect new |
| EventFlow | No | expectNoEvents() first | expectNoEvents → trigger → expect event |
For detailed patterns: See references/flow-testing-patterns.md
B. Compose UI Testing Patterns
Base Class: BitwardenComposeTest
Always extend BitwardenComposeTest for Compose screen tests.
Location: app/src/test/kotlin/com/x8bit/bitwarden/ui/platform/base/BitwardenComposeTest.kt
Benefits:
- Pre-configures all Bitwarden managers (FeatureFlags, AuthTab, Biometrics, etc.)
- Wraps content in
BitwardenThemeandLocalManagerProvider - Provides fixed Clock for deterministic time-based tests
Pattern:
class ExampleScreenTest : BitwardenComposeTest() {
private var haveCalledNavigateBack = false
private val mutableEventFlow = bufferedMutableSharedFlow<ExampleEvent>()
private val mutableStateFlow = MutableStateFlow(DEFAULT_STATE)
private val viewModel = mockk<ExampleViewModel>(relaxed = true) {
every { eventFlow } returns mutableEventFlow
every { stateFlow } returns mutableStateFlow
}
@Before
fun setup() {
setContent {
ExampleScreen(
onNavigateBack = { haveCalledNavigateBack = true },
viewModel = viewModel,
)
}
}
@Test
fun `on back click should send BackClick action`() {
composeTestRule.onNodeWithContentDescription("Back").performClick()
verify { viewModel.trySendAction(ExampleAction.BackClick) }
}
}
Note: Use bufferedMutableSharedFlow for event testing in Compose tests. Default replay is 0; pass replay = 1 if needed.
For complete base class details: See references/test-base-classes.md
C. Repository and Service Testing
Service Testing with MockWebServer
Base Class: BaseServiceTest (network/src/testFixtures/)
class ExampleServiceTest : BaseServiceTest() {
private val api: ExampleApi = retrofit.create()
private val service = ExampleServiceImpl(api)
@Test
fun `getConfig should return success when API succeeds`() = runTest {
server.enqueue(MockResponse().setBody(EXPECTED_JSON))
val result = service.getConfig()
assertEquals(EXPECTED_RESPONSE.asSuccess(), result)
}
}
Repository Testing Pattern
class ExampleRepositoryTest {
private val fixedClock: Clock = Clock.fixed(
Instant.parse("2023-10-27T12:00:00Z"),
ZoneOffset.UTC,
)
private val dispatcherManager = FakeDispatcherManager()
private val mockDiskSource: ExampleDiskSource = mockk()
private val mockService: ExampleService = mockk()
private val repository = ExampleRepositoryImpl(
clock = fixedClock,
exampleDiskSource = mockDiskSource,
exampleService = mockService,
dispatcherManager = dispatcherManager,
)
@Test
fun `fetchData should return success when service succeeds`() = runTest {
coEvery { mockService.getData(any()) } returns expectedData.asSuccess()
val result = repository.fetchData(userId)
assertTrue(result.isSuccess)
}
}
Key patterns: Use FakeDispatcherManager, fixed Clock, and .asSuccess() helpers.
D. Test Data Builders
Builder Pattern with Number Parameter
Location: network/src/testFixtures/kotlin/com/bitwarden/network/model/
fun createMockCipher(
number: Int,
id: String = "mockId-$number",
name: String? = "mockName-$number",
// ... more parameters with defaults
): SyncResponseJson.Cipher
// Usage:
val cipher1 = createMockCipher(number = 1) // mockId-1, mockName-1
val cipher2 = createMockCipher(number = 2) // mockId-2, mockName-2
val custom = createMockCipher(number = 3, name = "Custom")
Available Builders (35+):
- Cipher:
createMockCipher(),createMockLogin(),createMockCard(),createMockIdentity(),createMockSecureNote(),createMockSshKey(),createMockField(),createMockUri(),createMockFido2Credential(),createMockPasswordHistory(),createMockCipherPermissions() - Sync:
createMockSyncResponse(),createMockFolder(),createMockCollection(),createMockPolicy(),createMockDomains() - Send:
createMockSend(),createMockFile(),createMockText(),createMockSendJsonRequest() - Profile:
createMockProfile(),createMockOrganization(),createMockProvider(),createMockPermissions() - Attachments:
createMockAttachment(),createMockAttachmentJsonRequest(),createMockAttachmentResponse()
See network/src/testFixtures/kotlin/com/bitwarden/network/model/ for full list.
E. Result Type Testing
Locations:
.asSuccess(),.asFailure():core/src/main/kotlin/com/bitwarden/core/data/util/ResultExtensions.ktassertCoroutineThrows:core/src/testFixtures/kotlin/com/bitwarden/core/data/util/TestHelpers.kt
// Create results
"data".asSuccess() // Result.success("data")
throwable.asFailure() // Result.failure<T>(throwable)
// Assertions
assertTrue(result.isSuccess)
assertEquals(expectedValue, result.getOrNull())
F. Test Utilities and Helpers
Fake Implementations
| Fake | Location | Purpose |
|---|---|---|
FakeDispatcherManager | core/src/testFixtures/ | Deterministic coroutine execution |
FakeConfigDiskSource | data/src/testFixtures/ | In-memory config storage |
FakeSharedPreferences | data/src/testFixtures/ | Memory-backed SharedPreferences |
Exception Testing (CRITICAL)
// CORRECT - Call directly, NOT inside runTest
@Test
fun `test exception`() {
assertCoroutineThrows<IllegalStateException> {
repository.throwingFunction()
}
}
Why: runTest catches exceptions and rethrows them, breaking the assertion pattern.
G. Critical Gotchas
Common testing mistakes in Bitwarden. For complete details and examples: See references/critical-gotchas.md
Core Patterns:
- assertCoroutineThrows + runTest - Never wrap in
runTest; call directly - Static mock cleanup - Always
unmockkStatic()in@After - StateFlow vs EventFlow - StateFlow:
awaitItem()first; EventFlow:expectNoEvents()first - FakeDispatcherManager - Always use instead of real
DispatcherManagerImpl - Coroutine test wrapper - Use
runTest { }for all Flow/coroutine tests
Assertion Patterns:
- Complete state assertions - Assert entire state objects, not individual fields
- JUnit over Kotlin - Use
assertTrue(), not Kotlin'sassert() - Use Result extensions - Use
asSuccess()andasFailure()for Result type assertions
Test Design:
- Fake vs Mock strategy - Use Fakes for happy paths, Mocks for error paths
- DI over static mocking - Extract interfaces (like UuidManager) instead of mockkStatic
- Null stream testing - Test null returns from ContentResolver operations
- bufferedMutableSharedFlow - Use with
.onSubscription { emit(state) }in Fakes - Test factory methods - Accept domain state types, not SavedStateHandle
- @Suppress("MaxLineLength") - Only add when the
fundeclaration line actually exceeds 100 chars — do not copy the pattern blindly
H. Test File Organization
Directory Structure
module/src/test/kotlin/com/bitwarden/.../
├── ui/*ScreenTest.kt, *ViewModelTest.kt
├── data/repository/*RepositoryTest.kt
└── network/service/*ServiceTest.kt
module/src/testFixtures/kotlin/com/bitwarden/.../
├── util/TestHelpers.kt
├── base/Base*Test.kt
└── model/*Util.kt
Test Naming
- Classes:
*Test.kt,*ScreenTest.kt,*ViewModelTest.kt - Functions:
`given state when action should result`
Summary
Key Bitwarden-specific testing patterns:
- BaseViewModelTest - Automatic dispatcher setup with
stateEventFlow()helper - BitwardenComposeTest - Pre-configured with all managers and theme
- BaseServiceTest - MockWebServer setup for network testing
- Turbine Flow Testing - StateFlow (replay) vs EventFlow (no replay)
- Test Data Builders - Consistent
number: Intparameter pattern - Fake Implementations - FakeDispatcherManager, FakeConfigDiskSource
- Result Type Testing -
.asSuccess(),.asFailure()
Always consult: docs/ARCHITECTURE.md and existing test files for reference implementations.
Reference Documentation
For detailed information, see:
references/test-base-classes.md- Detailed base class documentation and usage patternsreferences/flow-testing-patterns.md- Complete Turbine patterns for StateFlow/EventFlowreferences/critical-gotchas.md- Full anti-pattern reference and debugging tips
Complete Examples:
examples/viewmodel-test-example.md- Full ViewModel test with StateFlow/EventFlowexamples/compose-screen-test-example.md- Full Compose screen testexamples/repository-test-example.md- Full repository test with mocks and fakes
More by bitwarden
View all →You might also like
flutter-development
aj-geddes
Build beautiful cross-platform mobile apps with Flutter and Dart. Covers widgets, state management with Provider/BLoC, navigation, API integration, and material design.
drawio-diagrams-enhanced
jgtolentino
Create professional draw.io (diagrams.net) diagrams in XML format (.drawio files) with integrated PMP/PMBOK methodologies, extensive visual asset libraries, and industry-standard professional templates. Use this skill when users ask to create flowcharts, swimlane diagrams, cross-functional flowcharts, org charts, network diagrams, UML diagrams, BPMN, project management diagrams (WBS, Gantt, PERT, RACI), risk matrices, stakeholder maps, or any other visual diagram in draw.io format. This skill includes access to custom shape libraries for icons, clipart, and professional symbols.
godot
bfollington
This skill should be used when working on Godot Engine projects. It provides specialized knowledge of Godot's file formats (.gd, .tscn, .tres), architecture patterns (component-based, signal-driven, resource-based), common pitfalls, validation tools, code templates, and CLI workflows. The `godot` command is available for running the game, validating scripts, importing resources, and exporting builds. Use this skill for tasks involving Godot game development, debugging scene/resource files, implementing game systems, or creating new Godot components.
nano-banana-pro
garg-aayush
Generate and edit images using Google's Nano Banana Pro (Gemini 3 Pro Image) API. Use when the user asks to generate, create, edit, modify, change, alter, or update images. Also use when user references an existing image file and asks to modify it in any way (e.g., "modify this image", "change the background", "replace X with Y"). Supports both text-to-image generation and image-to-image editing with configurable resolution (1K default, 2K, or 4K for high resolution). DO NOT read the image file first - use this skill directly with the --input-image parameter.
ui-ux-pro-max
nextlevelbuilder
"UI/UX design intelligence. 50 styles, 21 palettes, 50 font pairings, 20 charts, 8 stacks (React, Next.js, Vue, Svelte, SwiftUI, React Native, Flutter, Tailwind). Actions: plan, build, create, design, implement, review, fix, improve, optimize, enhance, refactor, check UI/UX code. Projects: website, landing page, dashboard, admin panel, e-commerce, SaaS, portfolio, blog, mobile app, .html, .tsx, .vue, .svelte. Elements: button, modal, navbar, sidebar, card, table, form, chart. Styles: glassmorphism, claymorphism, minimalism, brutalism, neumorphism, bento grid, dark mode, responsive, skeuomorphism, flat design. Topics: color palette, accessibility, animation, layout, typography, font pairing, spacing, hover, shadow, gradient."
rust-coding-skill
UtakataKyosui
Guides Claude in writing idiomatic, efficient, well-structured Rust code using proper data modeling, traits, impl organization, macros, and build-speed best practices.
Stay ahead of the MCP ecosystem
Get weekly updates on new skills and servers.