Press n or j to go to the next uncovered block, b, p or k for the previous block.
| 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 | 7x 1x 7x 1x 7x 7x 7x 3x 3x | /**
*
* Wait for an element (selected by css selector) for the provided amount of
* milliseconds to be (dis/en)abled. If multiple elements get queried by given
* selector, it returns true if at least one element is (dis/en)abled.
*
* <example>
:index.html
<input type="text" id="username" value="foobar" disabled="disabled"></input>
<script type="text/javascript">
setTimeout(() => {
document.getElementById('username').disabled = false
}, 2000);
</script>
:waitForEnabledExample.js
it('should detect when element is enabled', () => {
$('#username').waitForEnabled(3000);
});
it('should detect when element is disabled', () => {
elem = $('#username');
elem.waitForEnabled(3000, true)
});
* </example>
*
* @alias element.waitForEnabled
* @param {Number=} ms time in ms (default: 500)
* @param {Boolean=} reverse if true it waits for the opposite (default: false)
* @param {String=} error if exists it overrides the default error message
* @return {Boolean} true if element is (dis/en)abled
* @uses utility/waitUntil, state/isEnabled
* @type utility
*
*/
export default async function waitForEnabled(ms, reverse = false, error) {
// If the element doesn't already exist, wait for it to exist
if (!this.elementId && !reverse) {
await this.waitForExist(ms, false, error)
}
if (typeof ms !== 'number') {
ms = this.options.waitforTimeout
}
const isReversed = reverse ? '' : 'not '
const errorMessage = typeof error === 'string' ? error : `element ("${this.selector}") still ${isReversed}enabled after ${ms}ms`
return this.waitUntil(async () => {
const isEnabled = await this.isEnabled()
return isEnabled !== reverse
}, ms, errorMessage)
}
|