diff --git a/docs/articles/how-detox-works.md b/docs/articles/how-detox-works.md index eae6f82649..18aab8cd33 100644 --- a/docs/articles/how-detox-works.md +++ b/docs/articles/how-detox-works.md @@ -1,31 +1,47 @@ # How Detox Works -Detox is an end-to-end testing framework. This means it runs your app on an actual device/simulator and interacts with it just like a real user would. This type of testing can give a lot of confidence in your app and help automate a manual QA process. +Detox is an end-to-end testing framework. This means it runs your app on an actual device, or a device simulator/emulator and interacts with it just like a real user would. This type of testing can give a lot of confidence in your app and help automate an otherwise tedious manual QA process. When a Detox test executes, you actually have two different parts running side by side: -- **The mobile app itself**, usually running on a simulator/emulator. A regular native build of your app is installed and executed on the device. Your app is usually built once before the tests start running. +1. **The mobile app itself**, running on a device or a device simulator/emulator. A regular native-build of your app is installed and executed on the device, orchestrated by native Detox code that is built separately and installed alongside the app itself. -- **The test suite**, running on Node.js, using a test runner like Jest. The tests are normally written in JavaScript. Because the tests are asynchronous in nature (every test line requires to access the app and wait for a response), the tests rely heavily on [`async`-`await`](https://ponyfoo.com/articles/understanding-javascript-async-await). +2. **The test suite**, running on Node.js, over a test runner like Jest. The tests are normally written in JavaScript, and utilize the JavaScript part of Detox. -The two parts are usually running in separate processes on your machine. It is also possible to run the two parts on different machines. Communication between the two parts takes place over the network using a web socket. +The two parts are run in separate processes on your machine. It is also possible to run the two parts on different machines. Communication between the two parts takes place over the network using a web socket. -In practice, to make the communication more resilient, both parts are implemented as clients and communicate with a Detox server that acts as proxy. This allows some nice behaviors like allowing one side to disconnect (during a simulator boot for example or app restart) without disconnecting the other side and losing its state. +In practice, to make the communication more resilient, both parts are implemented as clients and communicate through a Detox server that acts as mediator. Having that server allows for some advantages like allowing one side to disconnect (during a simulator boot for example or app restart) without disconnecting the other side and losing its state. -## How Detox Automatically Synchronizes With Your App +## Automatic App-State Synchronization -One of the key features of Detox is its ability to automatically synchronize the test execution with your app. The most annoying aspect of end-to-end tests is flakiness—tests sometimes fail without anything changing. Flakiness happens because tests are nondeterministic. Every time a test is running, things take place in a slightly different order inside your app. +One of Detox's key features is the automatic synchronization of test execution with the app's state. For example, consider the following super-common moment in a test scenario: -Consider a scenario where the app is making multiple network requests at the same time. What is the order of execution? It depends on which request completes first. This is an external concern depending on network congestion and how busy the server is. +1. Node.js runs test code that effectively tells Detox to tap on the *login* button. Detox sends this tap command to the app. +2. The app receives the command, the button is pressed, and the login process begins. A secure user session is obtained from the server, and the app navigates to the home screen. The home screen fetches yet even more data from the servers and renders elements with loading animations. +3. **Detox - being a gray-box testing framework, monitors these changes in the app's state and waits for them to complete. This ensures that the test and the app's current state remain in-sync.** +4. Detox proceeds to the next action in the test code only after the app is stable (!) -The traditional method of dealing with flakiness is adding various `sleep()`/`waitFor()` commands throughout the test in an attempt to force a certain execution order. This is a bad practice, riddled with fragile magic values that often change if the machine running the tests becomes faster or slower. +Let’s deep-dive into step #2: So much UI work happens with numerous network requests performed in the background… What is the order of execution of those requests, and how long should you wait until all of them are replied to? How long should you wait until the UI is ready? For the network, it depends on which request completes first, which in turn depends on network congestion and how busy the server is. As for the UI, it depends on the specific test device / machine specs and how busy its processor is. -Detox tries to eliminate flakiness by automatically synchronizing your tests with the app. A test cannot continue to the next command until the app becomes idle. Detox monitors your app very closely in order to know when it’s idle. It tracks several asynchronous operations and waits until they complete. This includes: +In the traditional black-box (rather than gray-box) testing approach, you normally deal with being blind to the app’s state by adding various `sleep()` / `waitFor()` commands throughout the test in an attempt to force order into the chaos. In step #3, **Detox eliminates the need for that malpractice, and so introduces stability into the otherwise inherently-flaky test world.** -- Keeping track of all network requests that are currently in-flight and waiting until they complete -- Keeping track of pending animations and waiting until they complete -- Keeping track of timers and waiting until they expire or are cancelled -- Keeping track of the React Native operations +### Operations Detox synchronizes with automatically + +- **Network requests** - Detox monitors in-flight requests over the network (waiting for them to be responded). + +- **Main thread (native)** - Detox monitors pending native operations on the app's main thread (main dispatch queue and main `NSOperationQueue`). + +- **Layout of UI** - Detox monitors UI layout operations. There’s also special support for React Native layout which includes the Shadow Queue where [yoga](https://github.com/facebook/yoga) runs. + +- **Timers** - Detox monitors timers (explicit asynchronous delays). There’s special support for JavaScript's `setTimeout`, which is monitored. + +- **Animations** - Detox monitors active animations and transitions. There’s special support for React Native animations with the Animated library, and even the popular [react-native-reanimated](https://docs.swmansion.com/react-native-reanimated). + +- **React Native JavaScript thread** - Detox monitors pending operations on the JavaScript thread in RN apps. + +- **React Native native-modules thread** - Detox monitors pending RN native-module actions executed on its dedicated thread. + +- **React Native bridge** - In non-bridge-less apps (i.e. before RN's new-architecture), Detox monitors the React Native bridge and asynchronous messages delivered through it. :::info diff --git a/docs/config/session.mdx b/docs/config/session.mdx index f55a71697d..1e431f8ae5 100644 --- a/docs/config/session.mdx +++ b/docs/config/session.mdx @@ -76,14 +76,14 @@ If `false`, it is assumed that you will be running it independently via [`detox ### `session.debugSynchronization` \[number] -Default: `10000`. +**Enabled by default**, with the value of `10_000`ms. -Tells Detox how long (in milliseconds) to wait for the app to become idle until it starts querying it for more details. +Tells Detox how long (in milliseconds) to wait for the app to become idle until it starts querying it for more details in order to print out automated-synchronization debugging logs. ```json { "session": { - "debugSynchronization": 20000 + "debugSynchronization": 5000 } } ``` @@ -91,7 +91,7 @@ Tells Detox how long (in milliseconds) to wait for the app to become idle until Detox will be printing the list of busy idling resources every time an action takes more than the specified period, e.g.: ```plain text -15:13:07.309 detox[17005] i The app is busy with the following tasks: +09:41:00.941 detox[1337] i The app is busy with the following tasks: • There are 10 work items pending on the dispatch queue: "Main Queue ()". • UI elements are busy: - Layers pending animations: 96. @@ -102,8 +102,10 @@ Detox will be printing the list of busy idling resources every time an action ta • Run loop "Main Run Loop" is awake. ``` +(These are logs generated by Detox for iOS; Detox for Android generates different yet equivalent ones) + To disable this behavior (i.e. querying the app periodically), set the value to `0`. -Seeing logs like these usually indicates certain issues in your application, as mentioned in the [Troubleshooting Guide](../troubleshooting/synchronization.md). +Seeing logs like these usually indicates certain issues in your application, as explained in the [Troubleshooting Guide](../troubleshooting/synchronization.md). -For the most detailed information, refer to the DetoxSync (iOS) [Status Documentation](https://github.com/wix-incubator/DetoxSync/blob/master/StatusDocumentation.md). +For extended, more detailed information on iOS, refer to the `DetoxSync` project's [Status Documentation](https://github.com/wix-incubator/DetoxSync/blob/master/StatusDocumentation.md). diff --git a/docs/guide/investigating-test-failure.mdx b/docs/guide/investigating-test-failure.mdx deleted file mode 100644 index be216c26c2..0000000000 --- a/docs/guide/investigating-test-failure.mdx +++ /dev/null @@ -1,41 +0,0 @@ -# Investigating Failures - -There are a few tricks and tools that can help you to understand the reason for test failures, even before you resort to debugging. - -## Using Detox test artifacts - -Artifacts are very powerful tool to understand your test failure, you can easily make a screenshot, video or even hierarchy of your app under test, -e.g.: - -```sh -detox test -c --take-screenshots failing --record-videos failing -``` - -Learn more about [configuration](../config/artifacts.mdx) of Detox test artifacts and available [CLI options](../cli/test.md). - -## Switch to verbose log levels - -You can get detailed information about the test execution if you use `debug` or `trace` log level: - -```sh -detox test -c -l trace -``` - -:::tip - -In most cases we recommend using `debug` log level to understand the failed test better. - -::: - -## Missing elements - -If your tests are failing due to non-existent or invisible elements, you can [inspect the native view hierarchy](test-id.md#finding-your-test-id) to understand better the failure reason. - -## More recipes - -See [Dealing With Problems With Running Tests](../troubleshooting/running-tests.md) guide for more recipes. - -## Debugging - -If debugging still seems a viable option, please follow our [debugging guide](../introduction/debugging.mdx). - diff --git a/docs/img/app-loader.jpeg b/docs/img/app-loader.jpeg new file mode 100644 index 0000000000..ee6322ca89 Binary files /dev/null and b/docs/img/app-loader.jpeg differ diff --git a/docs/img/transient-ui-element.png b/docs/img/transient-ui-element.png new file mode 100644 index 0000000000..e66bd9132d Binary files /dev/null and b/docs/img/transient-ui-element.png differ diff --git a/docs/img/webstorm/breakpoint.png b/docs/img/webstorm/breakpoint.png new file mode 100644 index 0000000000..3f0b34aa2d Binary files /dev/null and b/docs/img/webstorm/breakpoint.png differ diff --git a/docs/img/webstorm/new-configuration.png b/docs/img/webstorm/new-configuration.png new file mode 100644 index 0000000000..e5c3371d7d Binary files /dev/null and b/docs/img/webstorm/new-configuration.png differ diff --git a/docs/img/webstorm/node-debug-configuration.png b/docs/img/webstorm/node-debug-configuration.png new file mode 100644 index 0000000000..a9be31fe15 Binary files /dev/null and b/docs/img/webstorm/node-debug-configuration.png differ diff --git a/docs/img/webstorm/run-debug-configuration.png b/docs/img/webstorm/run-debug-configuration.png new file mode 100644 index 0000000000..9e3503fb33 Binary files /dev/null and b/docs/img/webstorm/run-debug-configuration.png differ diff --git a/docs/img/webstorm/stopped-at-breakpoint.png b/docs/img/webstorm/stopped-at-breakpoint.png new file mode 100644 index 0000000000..f1789f6fde Binary files /dev/null and b/docs/img/webstorm/stopped-at-breakpoint.png differ diff --git a/docs/introduction/debugging.mdx b/docs/introduction/debugging.mdx index 68556fcf8b..ec85d804b7 100644 --- a/docs/introduction/debugging.mdx +++ b/docs/introduction/debugging.mdx @@ -1,6 +1,9 @@ import CodeBlock from '@theme/CodeBlock'; import Tabs from '@theme/Tabs'; import TabItem from '@theme/TabItem'; +import DebuggerAttachWebstorm from './partials/_debugging-attach-webstorm.mdx'; +import DebuggerAttachChrome from './partials/_debugging-attach-chrome.mdx'; +import DebuggerAttachVscode from './partials/_debugging-attach-vscode.mdx'; import CompilingIOS from './partials/_debugging-native-code-compliing-ios.mdx'; import CompilingAndroid from './partials/_debugging-native-code-compliing-android.mdx'; import ConfigIOS from './partials/_debugging-native-code-config-ios.mdx'; @@ -11,50 +14,48 @@ import TroubleshootingAndroid from './partials/_debugging-native-code-troublesho # How to Debug -## Detox Tests +In the Detox world, you can debug either Detox itself (i.e. run it step by step), and the tested app. This guide covers both options. -If you need to walk through your Detox tests step by step, add a `debugger` statement -inside your test to mark a starting point, e.g.: +## Running Detox Tests Step-by-Step -```diff title="e2e/starter.test.js" - describe('Example', () => { - beforeAll(async () => { - await device.launchApp(); -+ debugger; - }); -``` +Detox tests can be run step-by-step either using an IDE or by using Chrome debugger. -Now run Detox with that specific test and `--inspect-brk` flag, e.g.: +Start by running Detox using the Detox CLI alongside the inspection argument (`--inspect-brk`) and the file in which the test resides. For example: ```bash detox test --inspect-brk -c android.emu.debug e2e/starter.test.js ``` -Assuming you're using Jest, you'll see something like: +You will see Detox starts and these logs: ```plain text -DETOX_CONFIGURATION="android.emu.debug" node --inspect-brk ./node_modules/.bin/jest --config e2e/jest.config.js --runInBand e2e/starter.test.js Debugger listening on ws://127.0.0.1:9229/3dedd03b-8896-4ab8-a0a8-1b647abb9c98 For help, see: https://nodejs.org/en/docs/inspector ``` +Now you can attach to Detox and tap-in into its execution process. + :::info -To learn more about debugging with `--inspect-brk`, refer to -[Debugging — Getting Started](https://nodejs.org/en/docs/guides/debugging-getting-started/) -on the official Node.js website. This tutorial suggests using Google Chrome for debugging, -but you can also use an IDE to connect to the debugger. +To learn more about debugging with `--inspect-brk`, refer to [Debugging — Getting Started](https://nodejs.org/en/docs/guides/debugging-getting-started/) on the official Node.js website. ::: -Open `Google Chrome` and go to `chrome://inspect` tab, where you'll see `./node_modules/.bin/jest` as a remote -target waiting until you click `inspect` to attach to it. + + + + + + + + + + + -![](../img/inspect-brk.png) -Happy debugging! -## JavaScript application code +## Debugging JavaScript application code Use debug configurations of your app that rely on React Native Packager running on port 8081 (or another): @@ -63,7 +64,7 @@ Use debug configurations of your app that rely on React Native Packager running For the rest of details, please refer to [React Native – Debugging](https://reactnative.dev/docs/debugging). -## Native application code +## Debugging Native application code ### Setting Detox up as a compiling dependency @@ -122,7 +123,7 @@ parameters to disable various side effects and make life easier when debugging: } ``` -- Using a preconfigured `session` with an autostarting server removes the legwork of copying and +- Using a preconfigured `session` with an auto-starting server removes the legwork of copying and pasting values to the instrumentation runner launch arguments dialog every time before any launch from the IDE. Otherwise, by default when the `session` object omitted, `server` and `sessionId` are randomly generated for every new test session. diff --git a/docs/introduction/partials/_debugging-attach-chrome.mdx b/docs/introduction/partials/_debugging-attach-chrome.mdx new file mode 100644 index 0000000000..01b495ae23 --- /dev/null +++ b/docs/introduction/partials/_debugging-attach-chrome.mdx @@ -0,0 +1,23 @@ +Edit your test file. Mark the test you wish to debug as `it.only`, and then add a `debugger` statement +inside your test to mark a starting point, e.g.: + +```diff title="e2e/starter.test.js" + describe('Example', () => { + beforeAll(async () => { + await device.launchApp(); + }); + +- it('should debug nicely :-)', async () => { ++ it.only('should debug nicely :-)', async () => { + await element(by.text('Filter')).tap(); ++ debugger; + + }); +``` + +Open `Google Chrome` and go to `chrome://inspect` tab, where you'll see `./node_modules/.bin/jest` as a remote +target waiting until you click `inspect` to attach to it. + +![](../../img/inspect-brk.png) + +Happy debugging! \ No newline at end of file diff --git a/docs/introduction/partials/_debugging-attach-vscode.mdx b/docs/introduction/partials/_debugging-attach-vscode.mdx new file mode 100644 index 0000000000..3014a68f0d --- /dev/null +++ b/docs/introduction/partials/_debugging-attach-vscode.mdx @@ -0,0 +1 @@ +Coming soon! \ No newline at end of file diff --git a/docs/introduction/partials/_debugging-attach-webstorm.mdx b/docs/introduction/partials/_debugging-attach-webstorm.mdx new file mode 100644 index 0000000000..094404115b --- /dev/null +++ b/docs/introduction/partials/_debugging-attach-webstorm.mdx @@ -0,0 +1,31 @@ +Open your app project (where there tests are, among other things) on Webstorm. + +#### Set up a breakpoint + +Open the file where the test you wish to run is. Mark it as `it.only`, and set up a breakpoint in a line that suites your needs (note: This can actually be inside a helper function or a test-driver's function): + +![Webstorm breakpoint](../../img/webstorm/breakpoint.png) + +#### Create & Run a debug configuration + +Go to Webstorm's [`Edit Configurations`](https://www.jetbrains.com/help/webstorm/run-debug-configuration.html). + +Tap the `+` button and select the Node.js option: + +![Webstorm edit configurations](../../img/webstorm/new-configuration.png) + +Create a new debugging configuration using the default arguments (port 9229, etc.): + +![Webstorm node debugging configuration](../../img/webstorm/node-debug-configuration.png) + +Attach to Detox by "debugging" the new configuration (start it using the beetle button). + +![Webstorm start debug configuration](../../img/webstorm/run-debug-configuration.png) + +Let Detox run until stopped at the break-point: + +![Webstorm stopped at breakpoint](../../img/webstorm/stopped-at-breakpoint.png) + +Run step-by-step using Webstorm's debugging actions (step-over, step-into, etc.) + +Happy debugging! diff --git a/docs/introduction/your-first-test.mdx b/docs/introduction/your-first-test.mdx index c5f0682322..6ff1e295af 100644 --- a/docs/introduction/your-first-test.mdx +++ b/docs/introduction/your-first-test.mdx @@ -204,8 +204,8 @@ If you haven't changed the generated `e2e/starter.test.js`, you are likely to se … ``` -If you have created your own test, and it is failing, examine the error message, check out our [Investigating Failures](../guide/investigating-test-failure.mdx) -and [Debugging](debugging.mdx) guides, and run your tests again after you fix the issue. +If you have created your own test, and it is failing, examine the error message, check out our [Troubleshooting](../troubleshooting/running-tests.md) +and [Debugging](debugging.mdx) guides.. [matchers]: ../api/matchers.md [`by.id()`]: ../api/matchers.md#byidid diff --git a/docs/troubleshooting/element-matching.md b/docs/troubleshooting/element-matching.md new file mode 100644 index 0000000000..8539983439 --- /dev/null +++ b/docs/troubleshooting/element-matching.md @@ -0,0 +1,62 @@ +# Dealing with Element Matching Issues + +The preferred element-matching technique in Detox tests is by using **test ID's**. + +In React Native, the `testID` prop is only supported on **built-in native components**. If you’ve created a **custom composite component**, you’ll need to manually pass the `testID` down to a native child component. The most common approach is to propagate it to one of the rendered children that are **native** components (such as `View`, `Text`, or `TouchableOpacity`): + +```jsx +export class MyCompositeComponent extends Component { + render() { + return ( + + + Something something + + + ); + } +} +``` + +Now, when adding a `testID` to your composite component, it will be correctly applied: + +```jsx +render() { + return ; +} +``` + +:::tip + +For more info about this technique and test ID's in general, read our [guide about test ID's](../guide/test-id.md). + +::: + +## Debug View Hierarchy + +When element matching fails, inspecting the **native view hierarchy** can help diagnose the issue. This allows you to see how elements are structured in the app and determine whether a test ID is missing or the matcher needs to be improved. + +On iOS, you can use `xcode` to visualize the native view hierarchy: + +1. Start a debuggable app (not a release build) in your simulator +1. Open `xcode` +1. Attach `xcode` to your app’s process + ![attach to process](../img/attach-to-process.jpg) +1. Press the `Debug View Hierarchy` button + ![debug view hierarchy](../img/debug-view-hierarchy.jpg) +1. This will open the hierarchy viewer, and will show a breakdown of your app’s native view hierarchy. Here you can browse through the views +1. React Native testIDs are manifested as _accessibility identifiers_ in the native view hierarchy + +Let’s see an example. We will find the following view in the native hierarchy: + +```jsx + + ID + +``` + +This is the hierarchy viewer, pointing to the native view just mentioned: + +![hierarchy viewer](../img/hierarchy-viewer.jpg) + +There are other techniques for doing this besides using `xcode`, and also on Android -- coming soon! diff --git a/docs/troubleshooting/running-tests.md b/docs/troubleshooting/running-tests.md index 1f99ba58e3..8382c024bf 100644 --- a/docs/troubleshooting/running-tests.md +++ b/docs/troubleshooting/running-tests.md @@ -1,142 +1,125 @@ # Dealing With Problems With Running Tests + + This page is about issues related to executing your Detox tests, typically triggered when running `detox test` (and not `detox build`, for example). -## Trace Mode +## No simulators/emulators found -It’s a good idea to get as much information as possible about what’s going on. We can enable trace mode during tests by running our tests with: +### iOS -```bash -detox test --loglevel trace -``` +In order to run tests on a simulator, you need to have simulator images installed on your machine. This process is performed by `xcode` itself. You can list all available simulators using `simctl` by typing `xcrun simctl list` in terminal. -## No simulators found (iOS) +If you’re missing a simulator, you need to [manually install it](https://developer.apple.com/documentation/safari-developer-tools/adding-additional-simulators). Note that `xcode` is required. -In order to run tests on a simulator, you need to have simulator images installed on your machine. This process is performed by Xcode itself. You can list all available simulators using `simctl` by typing `xcrun simctl list` in terminal. +Once the desired simulator is installed and returned by `xcrun simctl list`, double check its name in the list and make sure this name is found in the `detox` configuration entry in `package.json`. The reference for the configuration options is available [here](../config/devices.mdx). -If you’re missing a simulator, make sure Xcode is installed and use it to download the simulator. Take a look at the Preferences screen, some screenshots can be seen [here](http://stackoverflow.com/questions/33738113/how-to-install-ios-9-1-simulator-in-xcode-version-7-1-1-7b1005). +### Android -Once the desired simulator is installed and returned by `xcrun simctl list`, double check its name in the list and make sure this name is found in the `detox` configuration entry in `package.json`. The reference for the configuration options is available [here](../config/devices.mdx). +Coming soon... -## Tests execution hangs +## Detox starts but my test doesn't actually run -**Issue:** A while after running Detox, you get a message about failure to connect to the running app, in the logs: +### Issue + +- A while after running Detox, things seem to hang and you get a message about a failure to connect to the running app, in Detox's logs: ```plain text Detox can’t seem to connect to the test app(s)! ``` +### Course of action + This can be a result of various reasons. It is generally up to you to debug and find the root cause. In any case, below are the common ones. -### If you do not see your app running on the device +#### If you don't see your app running on the device - You might have forgotten to run `device.launchApp()` in the beginning of your test. - The app might have crashed before Detox has had a chance to connect to it. To get the crash details, you can run Detox tests with `--record-logs all` CLI option and then inspect the device logs in the artifacts' folder. - **On Android**, there might be a problem with the native test code in the `DetoxTest.java` file. Revisit the [associated section](../introduction/project-setup.mdx#step-4-additional-android-configuration) in the setup guide. - **On Android**, your `Network Security Config` may not be recognized. Revisit the [associated section](../introduction/project-setup.mdx#43-enabling-unencrypted-traffic-for-detox) in the setup guide. -### If you _do_ see your app running on the device +**If you _do_ see your app running on the device** - **On Android with SDK≥28**, the app’s connection to the Detox test server is blocked due to clear-traffic blockage (as reported in issue [#1450](https://github.com/wix/Detox/issues/1450)). The main step for getting this fixed is to revisit the [associated section](../introduction/project-setup.mdx#step-4-additional-android-configuration) in the setup guide, which discusses network-security. Alternatively, the `android:usesCleartextTraffic="true"` attribute can be configured in the `` tag of the app’s `AndroidManifest.xml`, but **that is highly discouraged**. - If you’ve applied the above suggestion but the app fails to connect to the Detox test server, nonetheless: Refer to the device’s logs, which should contain messages about failed connection attempts (get them using the `--record-logs all` argument) - The app could be running without Detox native code injected. In this case, first, make sure you’re not trying to run in manual launch mode (where this behavior is valid). If so, examine the logs from the device (get them using the `--record-logs all` argument). If you see a crash related to Detox’s native code, you are welcome to report it on our GitHub tracker. -- If you are in fact debugging your native code integration with Detox, our [Debugging tutorial](../introduction/debugging.mdx) may prove helpful. +- Try reading our [Debugging tutorial](../introduction/debugging.mdx). -## Syntax Error: Unexpected Token +## The test runs but the app looks stuck / test times-out -**Issue:** Running tests immediately throws the following error: +### Issue -```js -beforeEach(async () => { - ^ -SyntaxError: Unexpected token ( - at Object.exports.runInThisContext (vm.js:76:16) - at Module._compile (module.js:545:28) - at loader (/Users/builduser/buildAgent/work/34eee2d16ef6c34b/node_modules/babel-register/lib/node.js:144:5) - at Object.require.extensions.(anonymous function) [as .js] (/Users/builduser/buildAgent/work/34eee2d16ef6c34b/node_modules/babel-register/lib/node.js:154:7) -... -child_process.js:531 - throw err; -``` +- **The test runs and at some point the app gets stuck on the same screen / state until the end of the test** - for example, displaying a loader animation. This can be observed directly if Detox is run locally, or otherwise post-factum by checking Detox's [video recording artifact](https://wix.github.io/Detox/docs/config/artifacts/#enabling-artifacts): + + ![App loader example](../img/app-loader.jpeg) + +- Detox logs might also show synchronization warnings, repeatedly. For example: -**Solution:** This error means that your version of Node does not support `async-await` syntax. You should do the following: + ```plain text + 19:07:20.140 detox[1907] i The app is busy with the following tasks: + • UI elements are busy: + - View animations pending: 2. + - Layers pending animations: 7. + - Layers needs layout: 147. + - View needs layout: 98. + - View needs display: 67. + - Layers needs display: 82. + • 1 enqueued native timers: + - Timer #1: + + Fire date: none. + + Time until fire: 0.000. + + Repeat interval: 0. + + Is recurring: YES. + • 1 network requests with URLs: + - URL #1: https://example.org/something?id=1337 + ``` -1. Update Node to a version **8.3.0 or higher**. +- The test failure reason might be associated with time-outs, or you see time-outs in the _device_ (not Detox) log (available as a Detox [test artifact](https://wix.github.io/Detox/docs/config/artifacts/#enabling-artifacts)). -## Can’t Find My Component Even Though I Added a `testID` to Its Props +### Course of action -**Issue:** Detox fails to match a component even though it has a `testID`. Detox will throw the following error: +This might be related somehow to your test code, but **could definitely stem from a an app bug.** Take an in-depth look at the [synchronization troubleshooting guide](./synchronization.md). -```plain text -Error: Cannot find UI Element. -Exception with Assertion: { - "Assertion Criteria" : "assertWithMatcher: matcherForSufficientlyVisible(>=0.750000)", - "Element Matcher" : "(((respondsToSelector(accessibilityIdentifier) && accessibilityID('Welcome')) && !kindOfClass('RCTScrollView')) || (kindOfClass('UIScrollView') && ((kindOfClass('UIView') || respondsToSelector(accessibilityContainer)) && ancestorThatMatches(((respondsToSelector(accessibilityIdentifier) && accessibilityID('Welcome')) && kindOfClass('RCTScrollView'))))))", - "Recovery Suggestion" : "Check if element exists in the UI, modify assert criteria, or adjust the matcher" -} - -Error Trace: [ - { - "Description" : "Interaction cannot continue because the desired element was not found.", - "Domain" : "com.google.earlgrey.ElementInteractionErrorDomain", - "Code" : "0", - "File Name" : "GREYElementInteraction.m", - "Function Name" : "-[GREYElementInteraction matchedElementsWithTimeout:error:]", - "Line" : "119" - } -] -``` +## Detox can't find or interact with an element even though it's on the screen -**Solution:** React Native only supports the `testID` prop on the native built-in components. If you’ve created a custom composite component, you will have to support this prop yourself. You should probably propagate the `testID` prop to one of your rendered children (a built-in component): - -```jsx -export class MyCompositeComponent extends Component { - render() { - return ( - - - Something something - - - ); - } -} -``` +### Issue -Now, adding `testID` to your composite component should work: +Either one of the following 2 scenarios: -```jsx -render() { - return ; -} -``` +1. The test runs, the app starts on the device and is maybe even being successfully navigated-through by the test, onto an inner screen; The app/screen opens properly and you know for sure that your element matcher is spot-on - **yet Detox says the element cannot be found (this can even happen intermittently, in a flaky test).** +2. The test runs, the app starts and displays a transient UI element for a limited amount of time and is then removed automatically. For example: A _Toast_ element. Another example: A temporary "Success" cheering-effect that fades out to the screen below: -## Test Tries to Find My Component Before It’s Created + ![Transient UI element](../img/transient-ui-element.png) -**Issue:** Due to a synchronization issue, the test tries to perform an expectation and fails because it runs the expectation too soon. Consider this example: +### Course of action -```js -await element(by.text('Login')).tap(); -await expect(element(by.text('Welcome'))).toBeVisible(); -``` +For the 1st option, you'd have to go deeper by exploring the possibility of disabling auto-synchronization as explained in the [synchronization troubleshooting guide](./synchronization.md#last-resort-Switching-to-manual-synchronization). + +As for the 2nd option - -In the test above, after tapping the Login button, the app performs several complex asynchronous operations until the Welcome message is displayed post-login. These can include querying a server, waiting for a response and then running an animated transition to the Welcome screen. Detox attempts to simplify your test code by synchronizing _automatically_ with these asynchronous operations. What happens if for some reason the automatic synchronization doesn’t work? As a result, Detox will not wait correctly until the Welcome screen appears and instead will continue immediately to the next line and try to run the expectation. Since the screen is not there yet, the test will fail. +1. If possible, start by revisiting your matching technique, as explained in the dedicated [matching troubleshooting guide](./element-matching.md). +2. If that doesn't solve it, consider switching to using `waitFor()` (see below). +3. If all fails, consider [disabling synchronization](./synchronization.md#last-resort-Switching-to-manual-synchronization) altogether. -**Solution:** When you suspect that automatic synchronization didn’t work, you have a fail-safe by synchronizing manually with `waitFor`. Using `waitFor` will poll until the expectation is met. This isn’t a recommended approach so please use it as a workaround and open and issue to resolve the synchronization issue. +#### Switching to the polling-based `waitFor()` API's -This is what the fixed test would look like: +you'd have to resort to Detox's fail-safe `waitFor()` family of API's, which poll your matching criteria within a specified time frame defined by you as a timeout. To take the screen above as an example, you'd have to change your test from: ```js -await element(by.text('Login')).tap(); -await waitFor(element(by.text('Welcome'))).toBeVisible().withTimeout(2000); +await element(by.id('join-button')).tap(); +await expect(element(by.text('Success!'))).toBeVisible(); ``` -## Can’t synchronize the test with my app +to something like: -If you suspect that the test is failing because Detox fails to synchronize the test steps with your app, take a look at this in-depth [synchronization troubleshooting tutorial](synchronization.md). +```js +await element(by.id('join-button')).tap(); +await waitFor(element(by.text('Success!'))).toBeVisible().withTimeout(2_000); +``` -## An Element is Not Visible +## Detox says an element is not visible enough **On iOS**, you may run in a situation, when one of the interactions (tap, scroll, etc.) on an element fails with an error like: @@ -160,36 +143,9 @@ If you are developing a React Native app, then the following applies. If, for in If you see that your issue cannot be solved via testID replacement or a simple hierarchy rearrangement, then there’s a chance this is a bug in Detox. Make sure to provide your `ui.viewhierarchy` artifact, the generated `DETOX_VISIBILITY_*` pictures and a comprehensive description of the issue backed up with sound arguments. -## Debug View Hierarchy - -**Issue:** I added the `testID` prop, but I still can’t find the view by id in my tests. - -**Solution:** You can investigate the app’s native view hierarchy, this might shed some light on how the app’s view hierarchy is laid out. - -Do the following: - -1. Start a debuggable app (not a release build) in your simulator -1. Open Xcode -1. Attach Xcode to your app’s process - ![attach to process](../img/attach-to-process.jpg) -1. Press the `Debug View Hierarchy` button - ![debug view hierarchy](../img/debug-view-hierarchy.jpg) -1. This will open the hierarchy viewer, and will show a breakdown of your app’s native view hierarchy. Here you can browse through the views -1. React Native testIDs are manifested as _accessibility identifiers_ in the native view hierarchy - -Let’s see an example. We will find the following view in the native hierarchy: - -```jsx - - ID - -``` - -This is the hierarchy viewer, pointing to the native view just mentioned: - -![hierarchy viewer](../img/hierarchy-viewer.jpg) +## Explore More Options -## Compare to a Working Setup +### Compare to a Working Setup If you feel lost, try starting from a working example for sanity. @@ -197,11 +153,11 @@ There are multiple working examples included in this repo, such as [demo-react-n First, install, build and make sure the tests are indeed passing. If they are, try comparing this setup with what you have. -## Take a Look at Past Issues +### Take a Look at Past Issues Before opening a new issue, search the [list of issues](https://github.com/wix/detox/issues?utf8=%E2%9C%93\&q=is%3Aissue) on GitHub. There’s a good chance somebody faced the same problem you are having. -## How to Open a New Issue +### How to Open a New Issue Before opening a new issue, please follow the entire troubleshooting guide and go over past issues. diff --git a/docs/troubleshooting/synchronization.md b/docs/troubleshooting/synchronization.md index cda48b5532..3e5f743dd9 100644 --- a/docs/troubleshooting/synchronization.md +++ b/docs/troubleshooting/synchronization.md @@ -2,157 +2,228 @@ -Traditionally, one of the most difficult aspects of E2E testing is synchronizing the test scenario with the app. Complex operations inside the app (like accessing servers or performing animations) often take variable amount of time to complete. We can’t continue the test until they’ve completed. How can we synchronize the test with these operations? +Traditionally, one of the most difficult aspects of E2E testing is synchronizing the test scenario with the app. -Synchronizing manually with `sleep()` commands is a bad idea. It’s flaky, complicates the tests, behaves differently on different machines and makes tests needlessly slow. +Complex operations inside the app (like accessing servers or performing animations) often take a variable amount of time to complete; In each step, we can’t move on to the next one until they’ve completed (i.e. when the app goes idle), which in turn surfaces a challenge in continuously trying to understand when the right time to do so is. -Instead, Detox tries to synchronize the test with the app completely _automatically_. +Fortunately, Detox - which comes with a gray-box approach, cleverly performs the synchronization automatically, as explained [here](../articles/how-detox-works.md#how-detox-automatically-synchronizes-with-your-app). -When this works it’s like magic. You simply execute actions one after the other without worrying about timing, and Detox waits for the app to stabilize before moving to the next test line. If there’s an in-flight request to a server, for example, the test will not move forward until the request completes. +## Mitigating Synchronization Issues -### What operations do we try to synchronize with automatically +While Detox's auto-synchronization mechanism is powerful and efficient, it does come with at least one caveat: **It imposes strictness over the app's behavior.** By default, Detox will fail your tests (i.e. due to a wait-for-idle **time-out**), if, for example, following an app launch or a navigation to a new screen, timers or animations continue to run endlessly. While this could be considered an advantage (e.g. finding an animation or timer management leakage!), these type of issues may not: -- **Network requests** - Detox monitors in-flight requests over the network. +1. Be specifically related to the main coverage goal of your test. +2. Be directly visible to or considered a significant bug by the end user. -- **Main thread (native)** - Detox monitors pending native operations on the main thread (main dispatch queue and main `NSOperationQueue`). +Therefore, it may be something some would want to be able to limit or completely opt-out of. With this in mind, let's review the possible ways of mitigation, aimed at either finding and fixing a bug, or allowing for it to be overlooked. -- **Layout of UI** - Detox monitors UI layout operations. There’s also special support for React Native layout which includes the Shadow Queue where [yoga](https://github.com/facebook/yoga) runs. +### Step 1: Understanding what's blocking your app -- **Timers** - Detox monitors timers (explicit asynchronous delays). There’s special support for JavaScript timers like `setTimeout` and `setInterval`. +Detox's synchronization debugging mechanism generates output to Detox's log which provides useful synchronization debugging information. We recommend that you'd start by pinpointing what the busy resources are - those that are keeping your app from going idle, based on those logs. Turn the debugging mechanism toggle on if you need to (although, it is on by default), rerun your test(s) and follow Detox's logs. -- **Animations** - Detox monitors active animations and transitions. There’s special support for React Native animations with the Animated library. +:::info -- **React Native JavaScript thread** - Detox monitors pending operations on the JavaScript thread in RN apps. +Read about Detox's _synchronization debugging mechanism_ in order to understand how to debug your app for unnecessarily busy resources. It can be specified either via the [Detox configuration file](../config/session.mdx#sessiondebugsynchronization-number) or more directly, as a [CLI argument](../cli/test.md#options): -- **React Native bridge** - Detox monitors the React Native bridge and asynchronous messages sent on it. +```js +detox test --debug-synchronization 5000 +``` -### Automatic synchronization works most of the time +::: -It’s difficult for an automatic mechanism to be correct in 100% of the cases. There are always exceptions. We are optimizing for the common case so most of your scenarios will not have to deal with synchronization issues. +#### (Optional) Lower-level debugging (iOS only) -For the rest of this tutorial, we’ll assume the test is having some sort of synchronization issue. +If the synchronization debugging mechanism does not provide all of the necessary information, on iOS you can add the following launch argument to your app (using `launchArgs` in your `launchApp()` call) to enable a very verbose logging of the idling resource system to the system log: -### Are we waiting too much or not waiting enough? +```plain text +-DTXEnableVerboseSyncSystem YES -DTXEnableVerboseSyncResources YES +``` -When the automatic synchronization mechanism doesn’t work, we have 2 potential problems: +You can then obtain this log by running the following command: -- We are waiting too much - The test will appear to hang and fail with timeout. This happens because Detox thinks an asynchronous operation is currently taking place and is waiting for it endlessly. +```bash +xcrun simctl spawn booted log stream --level debug --style compact --predicate "category=='SyncManager'" +``` -- We are not waiting enough - The test will appear to fail at some point because an element isn’t found according to an expectation or isn’t found when attempting to perform an action on it. This happens because Detox didn’t take some asynchronous operation into account and isn’t waiting until it completes. +For example, change your `device.launchApp()` call like: -### Identifying which synchronization mechanism causes us to wait too much +```js +await device.launchApp({ + newInstance: true, + launchArgs: { 'DTXEnableVerboseSyncSystem': 'YES', 'DTXEnableVerboseSyncResources': 'YES' }, +}); +``` -Interactions with the application are synchronized, meaning that they will not execute unless the app is idle. You may encounter situations where the tests just hang. -When an action/expectation takes a significant amount of time use this option to print device synchronization status. -The status will be printed if the action takes more than \[value] (in ms) to complete +### Step 2: Applying the Most Suitable Solution -```bash -detox test --debug-synchronization 500 -``` +First and foremost, as explained, an app's inability to go idle might be an indication of that some resources are _unnecessarily_ busy. Therefore, whether it's a network request that's been left unacknowledged, or an endless loader - + +**The best solution is to fix the problem! :construction_worker:** + +#### Dealing with endless animation bugs (e.g. loaders) -Then, reproduce your issue, and you should see output similar to the following: +Sometimes the resource that's holding the app back from turning idle is a mere animation of a single loader - running endlessly on the screen: + +![App loader example](../img/app-loader.jpeg) + +The synchronization logs telling you that, would usually look roughly like this: ```plain text -detox[9733] INFO: [APP_STATUS] The app is busy with the following tasks: -• There are 1 work items pending on the dispatch queue: "Main Queue ()". -• Run loop "Main Run Loop" is awake. +09:04:20.170 detox[90417] i The app is busy with the following tasks: +• UI elements are busy: + - View animations pending: 2. + - Layers pending animations: 7. + - Layers needs layout: 147. + - View needs layout: 98. + - View needs display: 67. + - Layers needs display: 82. • 1 enqueued native timers: - Timer #1: - + Fire date: 2021-11-11 14:19:57 +0200. - + Time until fire: 0.072. + + Fire date: none. + + Time until fire: 0.000. + Repeat interval: 0. - + Is recurring: NO. + + Is recurring: YES. ``` -See [this document](https://github.com/wix/DetoxSync/blob/master/StatusDocumentation.md) for documentation of the debug synchronization output. +(these are logs generated by Detox iOS; Detox-Android generates different yet equivalent ones) + +**Below are a few actual-bug scenarios where this can take place - all of which are easy to inspect, identify and fix.** -#### Lower-level Idling Resources Debug (iOS Only) +##### i. A server is being non-responsive -If `--debug-synchronization` does not provide the necessary information, on iOS you can add the following launch argument to your app (using `launchArgs` in your `launchApp()` call) to enable a very verbose logging of the idling resource system to the system log: +Your app is waiting indefinitely to load all of the necessary data from the a non-responsive server / a bad network, and therefore cannot switch to rendering the expected UI. When this is the deal, additional synchronization logs also repeatedly show some in-flight network calls: ```plain text --DTXEnableVerboseSyncSystem YES -DTXEnableVerboseSyncResources YES +09:04:20.170 detox[90417] i The app is busy with the following tasks: +• 1 network requests with URLs: + - URL #1: https://nonresponsive-server.org/something?id=1337 + - URL #2: https://unreachable-server.org/hello ``` -You can then obtain this log by running the following command: +_This can be solved by finding out why the server is being non-responsive or unreachable, for example - by tracking network calls into the logs, or inspecting requests on the server-ends._ -```bash -xcrun simctl spawn booted log stream --level debug --style compact --predicate "category=='SyncManager'" -``` +##### ii. A returned server error is not conveyed by the UI -For example, change your `device.launchApp()` call like: +Sometimes the servers _do_ respond, **but with an error**. Often times, we fail to adjust our app code to display the necessary UI (e.g. replacing the loader with a friendly message). Rather, the loader just remains running indefinitely. Unlike in the previous case, you will not see synchronization-debug logs surfacing those unacknowledged network calls. -```js -await device.launchApp({ - newInstance: true, - launchArgs: { 'DTXEnableVerboseSyncSystem': 'YES', 'DTXEnableVerboseSyncResources': 'YES' } -}); -``` +_Scan through the **app/device** logs (not Detox log!) from the bottom up and find traces of errors. The app/device logs can be automatically recorded by Detox as a test-run artifact._ -### Switching to manual synchronization as a workaround +##### iii. An app error is ignored -We always have the fail-safe of turning off automatic synchronization and waiting manually by ourselves. This isn’t the recommended approach, but sometimes we don’t have a choice. +Last but not least, this behavior can be the result of an app bug around handling **valid data returned from the server**, such as an error while parsing the data. -#### How do we turn off automatic synchronization? +_Look up the error - which usually comes with a stack-trace and is therefore very prominent, in the test summary in the (also Detox) logs. If it's not in the summary itself, you'd have to resort to searching those in the app/device logs. The app/device logs can be automatically recorded by Detox as a test-run artifact._ -This makes sense only if we’re waiting too much. +#### Dealing with looping animations -##### [Controlling the entire synchronization mechanism](../api/device.md#devicedisablesynchronization) +Animations are ultimately a way of making our apps friendlier and nicer to use. Sometimes a good user experience comes specifically from animations that are forever-looping on purpose (for example. animated `.gif`s). -The synchronization mechanism can be shut down using +Detox currently has no API's for "black listing" animations - namely, excluding them from the synchronization process (i.e. as it does with network calls). Therefore, you might want to consider removing the looping animation in your tests by rebuilding the app with such animating elements replaced by [mocks](../guide/mocking.md). -```js -await device.disableSynchronization(); -``` +#### Dealing with **hidden** animations -to turn it on again use +Not all synchronization issues around animations are trivial: -```js -await device.enableSynchronization(); -``` +- The animation can be associated with an element that is rendered off-screen, such as an item in a long news feed that's been rendered beyond the screen's bound, or a loader in a screen associated with a bottom tab that hasn't been navigated-to since the beginning of the test. +- The animation can also be associated with elements which have been silently leaked (bug) under other UI elements. They are fully functional yet not visible to the user. For example: A compact loader accidentally showing under the app bar (android)/navigation bar (iOS). + +These types of animations can be difficult to track down, and sometimes fix. + +**We are aiming to provide more advanced Detox-complementary tools that would help identify such animations more easily (follow Github issue [#4734](https://github.com/wix/Detox/issues/4734)). Until we do, here are some things you can do, roughly, in order:** + +1. _(Most recommended) Start Detox in [debug mode](../introduction/debugging.mdx), and then run the blocked test step-by-step - either from the beginning of it, or starting a breakpoint you've set over where you think the synchronization issue starts. Step over the Detox commands until Detox gets blocked and signals for synchronization issues (i.e. in the logs). Then, explore the app yourself (!), physically looking for animations (e.g. by scrolling lists, navigating through tabs, and so on. + You might actually be able to see the animation in your own eyes, or witness Detox getting unblocked as your interactions release an otherwise endless loader._ + _Do this iteratively until the exact animating UI element can be pinpointed._ -##### [Controlling network synchronization](../api/device.md#deviceseturlblacklisturls) +2. _Run the test and [generate a view-hierarchy](../api/device.md#devicecaptureviewhierarchyname) at the right timing, then inspect your app's layout in xcode's powerful view-hierarchy inspector_. Look for off-screen or obscured elements. -You can skip over synchronizing on certain URLs (for long polling tasks, or websocket connections) +3. _Run your app (without Detox) on Android in debug mode using Android Studio, and use its fancy [Layout Inspector](https://developer.android.com/studio/debug/layout-inspector) tool in order to inspect your app._ + +4. _Perform a "binary search" over the screen's content: Remove big blocks of content from it intermittently, rerunning the failing test each time, until synchronization stops blocking you. Then, slowly bring back repeatedly smaller and smaller sub-elements of the UI to see which one retriggers synchronization blockage. Eventually, you could pinpoint the exact culprit._ + +#### Dealing with network synchronization issues + +Sometimes Detox synchronization gets block, waiting for networks call that are in fact associated with URL's that happen to be "noise", meaning - specifically related to some kind of long polling background tasks, or web-socket connections. Such network calls should NOT be considered blocking in a user-flow test. + +_This can be solved by [black-listing the URL's in Detox](../api/device.md#deviceseturlblacklisturls), which would exclude it from Detox's synchronization over the network:_ ```js +// Black-list (exclude) URL's in mid test-run: await device.setURLBlacklist(['.*127.0.0.1.*']); -``` -In order to gain sync back on an endpoint, just remove it from the blacklist: +// Black-list URL's from as early as app launch: +await device.launchApp({ + launchArgs: { + detoxURLBlacklistRegex: '(".*example.com/some-url/.*")', + }, +}); -```js +// Reset black-list await device.setURLBlacklist([]); ``` -Alternatively, you can launch your app already with the URL blacklist defined — that can help with a network sync issue at the very beginning: +#### Dealing with endless timers + +By default, Detox is designed to ignore JavaScript's `setInterval()` and will only wait for `setTimeout()`'s **of up to 1.5 seconds**. + +*If you have an endless polling loop with short intervals implemented with `setTimeout`, switch the implementation to `setInterval`. If possible, avoid aggressive polling in your app altogether, the poor single JavaScript thread we have doesn’t like it.* + +#### Last resort: Switching to manual synchronization + +Disabling automatic synchronization makes sense in two cases: + +1. You have a synchronization problem (as explained above) but you can't find the source of the problem, or simply decide not to fix it (temporarily...) +2. You have a screen with a transient element, such as a toast or a cheering UI element, that is displayed temporarily and disappears automatically: + + ![Transient UI element](../img/transient-ui-element.png) + +Detox always has the fail-safe solution of turning off automatic-synchronization altogether and waiting manually for elements. + +This isn’t the recommended approach as you'd be giving up Detox's synchronization super-powers and resort to manually defining timeouts, but hey, life is about trade-offs. You can do this with the main [synchronization switching API's](../api/device.md#devicedisablesynchronization): + +```js +// Disabling in mid test-run: +await device.disableSynchronization(); +``` ```js +// Launching the app with sync disabled from the start: await device.launchApp({ launchArgs: { - detoxURLBlacklistRegex: '(".*example.com/some-url/.*")', + detoxEnableSynchronization: 0 }, }); ``` -#### How do we wait manually? +```js +// To turn synchronization back on (this command will block on synchronization): +await device.enableSynchronization(); +``` -This makes sense only if we’re not waiting enough (or if we’ve disabled automatic synchronization). Use the `withTimeout()` API to wait until an expectation is met. The API is documented [here](../api/expect.md#withtimeouttimeout). +Mind that when this technique is applied, it effectively means that have to start using Detox API's differently (i.e. resort to using [`waitFor().withTimeout()`](../api/expect.md#withtimeouttimeout)) API's and possibly even migrate test code. -### Tweaking and fine-tuning the synchronization mechanisms +For example, instead of: -> This isn’t exposed yet, to be done... +```js +await element(by.id('write-message-btn')).tap(); // Navigate to message writing screen +await element(by.id('message-input')).typeText('Hello!'); // Type in a message +await element(by.id('submit-btn')).tap(); // Submit! +``` -### Modifying your app to avoid waiting too much +Your test code will have to look more like this: -When facing a synchronization issue and tweaking doesn’t help, consider modifying your app. When Detox is having trouble synchronizing due to intense non-stopping activity, it may be a sign that your app is abusing resources. +```js +await device.disableSynchronization(); -You can also modify your app, for the sake of tests only, by using mocking. Read more [here](../guide/mocking.md). +await element(by.id('write-message-btn')).tap(); -#### `setTimeout` and `setInterval` +// Wait up to 4 seconds for the screen to fully load +await waitFor(element(by.id('message-input'))).toBeVisible().withTimeout(4000); -By default, Detox is designed to ignore `setInterval` and will only wait for `setTimeout` of up to 1.5 seconds. If you have an endless polling loop with short intervals implemented with `setTimeout`, switch the implementation to `setInterval`. If possible, avoid aggressive polling in your app altogether, the poor single JavaScript thread we have doesn’t like it. +await element(by.id('message-input')).typeText('Hello!'); +await element(by.id('submit-btn')).tap(); +``` -#### Endless looping animations +##### Hybrid manual/automatic synchronization -By default, Detox will wait until animations complete. If you have an endless looping animation, this may cause Detox to hang. In this case, consider turning off the animation synchronization or remove the endless loop in your E2E build with [mocking](../guide/mocking.md). +As of writing this, fine-tuned control over the various synchronized OS-systems that Detox monitors is not supported. Follow issue [#1513](https://github.com/wix/Detox/issues/1513) to keep track of that. diff --git a/website/sidebars.js b/website/sidebars.js index a8d231198c..2894d9b8c3 100644 --- a/website/sidebars.js +++ b/website/sidebars.js @@ -30,7 +30,6 @@ const sidebars = { type: 'category', label: 'Guides', items: [ - 'guide/investigating-test-failure', 'guide/test-id', 'guide/parallel-test-execution', 'guide/typescript', @@ -65,6 +64,7 @@ const sidebars = { 'troubleshooting/running-tests', 'troubleshooting/synchronization', 'troubleshooting/flakiness', + 'troubleshooting/element-matching', ] }, { diff --git a/website/versioned_sidebars/version-20.x-sidebars.json b/website/versioned_sidebars/version-20.x-sidebars.json index 7d56e268ea..4249d586f2 100644 --- a/website/versioned_sidebars/version-20.x-sidebars.json +++ b/website/versioned_sidebars/version-20.x-sidebars.json @@ -16,7 +16,6 @@ "type": "category", "label": "Guides", "items": [ - "guide/investigating-test-failure", "guide/test-id", "guide/parallel-test-execution", "guide/typescript",