How to Get Text from an Element in Playwright (Complete Guide)

Retrieving text from elements is one of the most common tasks in UI automation. With Playwright, it's quick and reliable.

This guide shows how to get the text content from HTML elements using different Playwright methods, with code examples, comparisons, and pro tips.


βœ… Quick Answer

const text = await page.locator('h1').textContent();

Or with innerText:

const text = await page.locator('h1').innerText();

πŸ” Differences Between textContent() and innerText()

MethodReads Hidden TextTriggers ReflowBest For
textContent()βœ… Yes❌ NoRaw DOM content
innerText()❌ Noβœ… YesUser-visible, styled text

πŸ§ͺ Example: Get Text from Element

HTML:

<div id="greeting">Hello <strong>world</strong>!</div>

Playwright:

const text = await page.locator('#greeting').textContent();
console.log(text); // "Hello world!"

πŸ§ͺ Alternative 1: Using innerText()

const text = await page.locator('#greeting').innerText();
console.log(text); // "Hello world!"
  • Ignores invisible elements
  • May be affected by CSS (like display: none)

πŸ§ͺ Alternative 2: Using evaluate()

const text = await page.$eval('#greeting', el => el.textContent);
console.log(text);
  • Works without locator()
  • You can run custom DOM logic

πŸ§ͺ Alternative 3: With innerHTML (not recommended for just text)

const html = await page.locator('#greeting').innerHTML();
console.log(html); // "Hello <strong>world</strong>!"
  • Use only if you need raw HTML
  • Doesn’t strip tags

🧠 Best Practices

  • Prefer locator().textContent() for reliability
  • Use innerText() if you need to match user-visible text
  • Normalize strings (.trim()) if needed
const text = (await page.locator('h1').textContent())?.trim();

🧰 Comparison Table

MethodHidden TextStyled TextInner HTMLNotes
locator().textContent()βœ… Yes❌ No❌ NoMost accurate for raw DOM content
locator().innerText()❌ Noβœ… Yes❌ NoMatches visible text only
locator().innerHTML()❌ No❌ Noβœ… YesFor getting HTML, not plain text
page.$eval(..., el => ...)βœ… Yesβœ… Yesβœ… YesFlexible for custom element logic

🧩 Which Should You Use?

ScenarioRecommended Method
Extract raw DOM texttextContent()
Check visible UI textinnerText()
Grab HTML markupinnerHTML()
Need advanced logic (e.g. combine values)evaluate() or $eval()

🏁 Conclusion

Playwright makes it simple to extract text from elements:

  • Use locator().textContent() for most cases
  • Use innerText() if visibility matters
  • Use $eval() for custom logic

Mastering these options will help you write reliable, readable, and test-friendly scripts.