- class: BrowserContext
- event: ‘close’
- event: ‘page’
- browserContext.addCookies(cookies)
- browserContext.addInitScript(script[, arg])
- browserContext.clearCookies()
- browserContext.clearPermissions()
- browserContext.close()
- browserContext.cookies([urls])
- browserContext.exposeBinding(name, playwrightBinding)
- browserContext.exposeFunction(name, playwrightFunction)
- browserContext.grantPermissions(permissions[][, options])
- browserContext.newPage()
- browserContext.pages()
- browserContext.route(url, handler)
- browserContext.setDefaultNavigationTimeout(timeout)
- browserContext.setDefaultTimeout(timeout)
- browserContext.setExtraHTTPHeaders(headers)
- browserContext.setGeolocation(geolocation)
- browserContext.setHTTPCredentials(httpCredentials)
- browserContext.setOffline(offline)
- browserContext.unroute(url[, handler])
- browserContext.waitForEvent(event[, optionsOrPredicate])
class: BrowserContext
- extends: EventEmitter
BrowserContexts provide a way to operate multiple independent browser sessions.
If a page opens another page, e.g. with a window.open
call, the popup will belong to the parent page’s browser context.
Playwright allows creation of “incognito” browser contexts with browser.newContext()
method. “Incognito” browser contexts don’t write any browsing data to disk.
// Create a new incognito browser context
const context = await browser.newContext();
// Create a new page inside context.
const page = await context.newPage();
await page.goto('https://example.com');
// Dispose context once it's no longer needed.
await context.close();
- event: ‘close’
- event: ‘page’
- browserContext.addCookies(cookies)
- browserContext.addInitScript(script[, arg])
- browserContext.clearCookies()
- browserContext.clearPermissions()
- browserContext.close()
- browserContext.cookies([urls])
- browserContext.exposeBinding(name, playwrightBinding)
- browserContext.exposeFunction(name, playwrightFunction)
- browserContext.grantPermissions(permissions[][, options])
- browserContext.newPage()
- browserContext.pages()
- browserContext.route(url, handler)
- browserContext.setDefaultNavigationTimeout(timeout)
- browserContext.setDefaultTimeout(timeout)
- browserContext.setExtraHTTPHeaders(headers)
- browserContext.setGeolocation(geolocation)
- browserContext.setHTTPCredentials(httpCredentials)
- browserContext.setOffline(offline)
- browserContext.unroute(url[, handler])
- browserContext.waitForEvent(event[, optionsOrPredicate])
event: ‘close’
Emitted when Browser context gets closed. This might happen because of one of the following:
- Browser context is closed.
- Browser application is closed or crashed.
- The
browser.close
method was called.
event: ‘page’
- <Page>
The event is emitted when a new Page is created in the BrowserContext. The page may still be loading. The event will also fire for popup pages. See also Page.on('popup')
to receive events about popups relevant to a specific page.
The earliest moment that page is available is when it has navigated to the initial url. For example, when opening a popup with window.open('http://example.com')
, this event will fire when the network request to “http://example.com“ is done and its response has started loading in the popup.
const [page] = await Promise.all([
context.waitForEvent('page'),
page.click('a[target=_blank]'),
]);
console.log(await page.evaluate('location.href'));
NOTE Use
page.waitForLoadState([state[, options]])
to wait until the page gets to a particular state (you should not need it in most cases).
browserContext.addCookies(cookies)
cookies
<Array<Object>>name
<string> requiredvalue
<string> requiredurl
<string> either url or domain / path are requireddomain
<string> either url or domain / path are requiredpath
<string> either url or domain / path are requiredexpires
<number> Unix time in seconds.httpOnly
<boolean>secure
<boolean>sameSite
<”Strict”|”Lax”|”None”>
- returns: <Promise>
await browserContext.addCookies([cookieObject1, cookieObject2]);
browserContext.addInitScript(script[, arg])
script
<function|string|Object> Script to be evaluated in all pages in the browser context.path
<string> Path to the JavaScript file. Ifpath
is a relative path, then it is resolved relative to current working directory.content
<string> Raw script content.
arg
<Serializable> Optional argument to pass toscript
(only supported when passing a function).- returns: <Promise>
Adds a script which would be evaluated in one of the following scenarios:
- Whenever a page is created in the browser context or is navigated.
- Whenever a child frame is attached or navigated in any page in the browser context. In this case, the script is evaluated in the context of the newly attached frame.
The script is evaluated after the document was created but before any of its scripts were run. This is useful to amend the JavaScript environment, e.g. to seed Math.random
.
An example of overriding Math.random
before the page loads:
// preload.js
Math.random = () => 42;
// In your playwright script, assuming the preload.js file is in same folder.
await browserContext.addInitScript({
path: 'preload.js'
});
NOTE The order of evaluation of multiple scripts installed via browserContext.addInitScript(script[, arg]) and page.addInitScript(script[, arg]) is not defined.
browserContext.clearCookies()
- returns: <Promise>
Clears context cookies.
browserContext.clearPermissions()
- returns: <Promise>
Clears all permission overrides for the browser context.
const context = await browser.newContext();
await context.grantPermissions(['clipboard-read']);
// do stuff ..
context.clearPermissions();
browserContext.close()
- returns: <Promise>
Closes the browser context. All the pages that belong to the browser context will be closed.
NOTE the default browser context cannot be closed.
browserContext.cookies([urls])
If no URLs are specified, this method returns all cookies. If URLs are specified, only cookies that affect those URLs are returned.
browserContext.exposeBinding(name, playwrightBinding)
name
<string> Name of the function on the window object.playwrightBinding
<function> Callback function that will be called in the Playwright’s context.- returns: <Promise>
The method adds a function called name
on the window
object of every frame in every page in the context. When called, the function executes playwrightBinding
in Node.js and returns a Promise which resolves to the return value of playwrightBinding
. If the playwrightBinding
returns a Promise, it will be awaited.
The first argument of the playwrightBinding
function contains information about the caller: { browserContext: BrowserContext, page: Page, frame: Frame }
.
See page.exposeBinding(name, playwrightBinding) for page-only version.
An example of exposing page URL to all frames in all pages in the context:
const { webkit } = require('playwright'); // Or 'chromium' or 'firefox'.
(async () => {
const browser = await webkit.launch({ headless: false });
const context = await browser.newContext();
await context.exposeBinding('pageURL', ({ page }) => page.url());
const page = await context.newPage();
await page.setContent(`
<script>
async function onClick() {
document.querySelector('div').textContent = await window.pageURL();
}
</script>
<button onclick="onClick()">Click me</button>
<div></div>
`);
await page.click('button');
})();
browserContext.exposeFunction(name, playwrightFunction)
name
<string> Name of the function on the window object.playwrightFunction
<function> Callback function that will be called in the Playwright’s context.- returns: <Promise>
The method adds a function called name
on the window
object of every frame in every page in the context. When called, the function executes playwrightFunction
in Node.js and returns a Promise which resolves to the return value of playwrightFunction
.
If the playwrightFunction
returns a Promise, it will be awaited.
See page.exposeFunction(name, playwrightFunction) for page-only version.
An example of adding an md5
function to all pages in the context:
const { webkit } = require('playwright'); // Or 'chromium' or 'firefox'.
const crypto = require('crypto');
(async () => {
const browser = await webkit.launch({ headless: false });
const context = await browser.newContext();
await context.exposeFunction('md5', text => crypto.createHash('md5').update(text).digest('hex'));
const page = await context.newPage();
await page.setContent(`
<script>
async function onClick() {
document.querySelector('div').textContent = await window.md5('PLAYWRIGHT');
}
</script>
<button onclick="onClick()">Click me</button>
<div></div>
`);
await page.click('button');
})();
browserContext.grantPermissions(permissions[][, options])
permissions
<Array<string>> A permission or an array of permissions to grant. Permissions can be one of the following values:'*'
'geolocation'
'midi'
'midi-sysex'
(system-exclusive midi)'notifications'
'push'
'camera'
'microphone'
'background-sync'
'ambient-light-sensor'
'accelerometer'
'gyroscope'
'magnetometer'
'accessibility-events'
'clipboard-read'
'clipboard-write'
'payment-handler'
options
<Object>origin
<string> The origin to grant permissions to, e.g. “https://example.com“.
- returns: <Promise>
Grants specified permissions to the browser context. Only grants corresponding permissions to the given origin if specified.
browserContext.newPage()
Creates a new page in the browser context.
browserContext.pages()
- returns: <Array<Page>> All open pages in the context. Non visible pages, such as
"background_page"
, will not be listed here. You can find them using chromiumBrowserContext.backgroundPages().
browserContext.route(url, handler)
url
<string|RegExp|function(URL):boolean> A glob pattern, regex pattern or predicate receiving URL to match while routing.handler
<function(Route, Request)> handler function to route the request.- returns: <Promise>
Routing provides the capability to modify network requests that are made by any page in the browser context. Once route is enabled, every request matching the url pattern will stall unless it’s continued, fulfilled or aborted.
An example of a naïve handler that aborts all image requests:
const context = await browser.newContext();
await context.route('**/*.{png,jpg,jpeg}', route => route.abort());
const page = await context.newPage();
await page.goto('https://example.com');
await browser.close();
or the same snippet using a regex pattern instead:
const context = await browser.newContext();
await context.route(/(\.png$)|(\.jpg$)/, route => route.abort());
const page = await context.newPage();
await page.goto('https://example.com');
await browser.close();
Page routes (set up with page.route(url, handler)) take precedence over browser context routes when request matches both handlers.
NOTE Enabling routing disables http cache.
browserContext.setDefaultNavigationTimeout(timeout)
timeout
<number> Maximum navigation time in milliseconds
This setting will change the default maximum navigation time for the following methods and related shortcuts:
- page.goBack([options])
- page.goForward([options])
- page.goto(url[, options])
- page.reload([options])
- page.setContent(html[, options])
- page.waitForNavigation([options])
NOTE
page.setDefaultNavigationTimeout
andpage.setDefaultTimeout
take priority overbrowserContext.setDefaultNavigationTimeout
.
browserContext.setDefaultTimeout(timeout)
timeout
<number> Maximum time in milliseconds
This setting will change the default maximum time for all the methods accepting timeout
option.
NOTE
page.setDefaultNavigationTimeout
,page.setDefaultTimeout
andbrowserContext.setDefaultNavigationTimeout
take priority overbrowserContext.setDefaultTimeout
.
browserContext.setExtraHTTPHeaders(headers)
headers
<Object<string, string>> An object containing additional HTTP headers to be sent with every request. All header values must be strings.- returns: <Promise>
The extra HTTP headers will be sent with every request initiated by any page in the context. These headers are merged with page-specific extra HTTP headers set with page.setExtraHTTPHeaders(). If page overrides a particular header, page-specific header value will be used instead of the browser context header value.
NOTE
browserContext.setExtraHTTPHeaders
does not guarantee the order of headers in the outgoing requests.
browserContext.setGeolocation(geolocation)
Sets the contexts’s geolocation. Passing null
or undefined
emulates position unavailable.
await browserContext.setGeolocation({latitude: 59.95, longitude: 30.31667});
NOTE Consider using browserContext.grantPermissions to grant permissions for the browser context pages to read its geolocation.
browserContext.setHTTPCredentials(httpCredentials)
Provide credentials for HTTP authentication.
NOTE Browsers may cache credentials that resulted in successful auth. That means passing different credentials after successful authentication or passing
null
to disable authentication is unreliable. Instead, create a separate browser context that will not have previous credentials cached.
browserContext.setOffline(offline)
offline
<boolean> Whether to emulate network being offline for the browser context.- returns: <Promise>
browserContext.unroute(url[, handler])
url
<string|RegExp|function(URL):boolean> A glob pattern, regex pattern or predicate receiving URL to match while routing.handler
<function(Route, Request)> Handler function to route the request.- returns: <Promise>
Removes a route created with browserContext.route(url, handler). When handler
is not specified, removes all routes for the url
.
browserContext.waitForEvent(event[, optionsOrPredicate])
event
<string> Event name, same one would pass intobrowserContext.on(event)
.optionsOrPredicate
<Function|Object> Either a predicate that receives an event or an options object.predicate
<Function> receives the event data and resolves to truthy value when the waiting should resolve.timeout
<number> maximum time to wait for in milliseconds. Defaults to30000
(30 seconds). Pass0
to disable timeout. The default value can be changed by using the browserContext.setDefaultTimeout(timeout).
- returns: <Promise<Object>> Promise which resolves to the event data value.
Waits for event to fire and passes its value into the predicate function. Resolves when the predicate returns truthy value. Will throw an error if the context closes before the event is fired.
const context = await browser.newContext();
await context.grantPermissions(['geolocation']);