Playwright: How to Wait Until Element Is Visible (Best Practices + Examples)

When automating UI interactions using Playwright, waiting for an element to become visible is a critical step to avoid flaky tests or runtime errors.

In this guide, you’ll learn how to wait until an element is visible in Playwright using reliable methods, with code examples, a comparison table, and best practices.


βœ… Quick Answer

await page.locator('#my-element').waitFor({ state: 'visible' });

This waits until the element:

  • Exists in the DOM
  • Is not hidden (display: none, visibility: hidden, etc.)
  • Has non-zero dimensions

πŸ“¦ Method 1: locator.waitFor({ state: 'visible' }) (Recommended)

await page.locator('.loader').waitFor({ state: 'visible' });
  • βœ… Clean, readable
  • βœ… Retries automatically
  • βœ… Respects timeouts

πŸ§ͺ Method 2: expect(locator).toBeVisible() (Built-in Assertion)

If you're using Playwright's test runner:

import { expect } from '@playwright/test';

await expect(page.locator('#login-button')).toBeVisible();
  • βœ… Assertion-style
  • βœ… Waits automatically
  • βœ… Great for test suites

πŸ§ͺ Method 3: Manual Loop (Advanced)

await page.waitForFunction(() => {
  const el = document.querySelector('#my-element');
  return el && el.offsetParent !== null;
});
  • πŸ”§ For complex visibility checks
  • ⚠️ More verbose and brittle

⏱ Optional: Set Timeout

await page.locator('.modal').waitFor({ state: 'visible', timeout: 10000 });
  • πŸ• Waits up to 10 seconds
  • Throws error if not visible in time

🧰 Comparison Table

MethodTypeAuto RetryTimeout SupportBest For
locator.waitFor({ state: 'visible' })Locator APIβœ… Yesβœ… YesSimple, clean wait
expect(locator).toBeVisible()Assertionβœ… Yesβœ… YesTests with built-in runner
waitForFunction(...)JS Eval❌ Noβœ… YesComplex custom visibility

🧩 Use Cases

ScenarioRecommended Approach
Waiting for modal to appearlocator.waitFor({ state: 'visible' })
Waiting for button before clickingexpect(locator).toBeVisible()
Waiting for element after AJAX loadlocator.waitFor()
Waiting with custom DOM logicpage.waitForFunction()

🧠 Pro Tips

  • Use state: 'attached' if element may exist but be hidden
  • Chain with actions:
await page.locator('#menu').waitFor({ state: 'visible' });
await page.click('#menu');
  • Use Playwright Test’s auto-waiting: it waits for visibility before click(), fill(), etc.

❌ Common Mistakes

MistakeFix
Waiting for hidden elementsUse state: 'visible', not just attached
Not awaiting the waitFor callAlways use await before .waitFor()
Using waitForSelector() (deprecated)Use locator.waitFor() instead

🏁 Conclusion

To wait for an element to become visible in Playwright:

  • Use locator.waitFor({ state: 'visible' }) for reliability
  • Use expect(...).toBeVisible() in test assertions
  • Use custom logic with waitForFunction() when needed

These strategies will make your tests more stable and your scripts more accurate.