Best JavaScript code snippet using playwright-internal
programScraper.js
Source: programScraper.js
...13 // Goes to a paticular program specific page14 await page.goto(link);15 // Find the core requirements if there are any16 const coreReq = await page.locator('tbody:below(h2:text("Core Requirements"))');17 var coreReqCourses = await coreReq.allInnerTexts();18 if (coreReqCourses.length != 0){19 if (coreReqCourses.length>1){20 while (coreReqCourses.length!=1){21 coreReqCourses.pop();22 }23 }24 // console.log(coreReqCourses);25 }26 // Find the honours program if available, otherwise try and find the regular major27 28 const majorHTable = await page.locator('tbody:below(h2:text("Major (Honours Program)"))');29 var majorHprogramCourses = await majorHTable.allInnerTexts();30 if (majorHprogramCourses.length != 0){31 if (majorHprogramCourses.length>1){32 // Removes any other un-ness table data33 while (majorHprogramCourses.length!=1){34 majorHprogramCourses.pop();35 }36 }37 if (coreReqCourses.length == 1){38 majorHprogramCourses.push(coreReqCourses[0]);39 }40 // console.log(majorHprogramCourses);41 // console.log("\x1b[32m", "Finished collecting for: " + name);42 return majorHprogramCourses;43 }44 else{45 // Find the major if available, otherwise try and scrape normally46 const majorTable = await page.locator('tbody:below(h2:text("Major"))');47 var majorProgramCourses = await majorTable.allInnerTexts();48 if (majorProgramCourses.length != 0){49 if (majorProgramCourses.length>1){50 while (majorProgramCourses.length!=1){51 majorProgramCourses.pop();52 }53 }54 if (coreReqCourses.length == 1){55 majorProgramCourses.push(coreReqCourses[0]);56 }57 // console.log(majorProgramCourses);58 // console.log("\x1b[32m", "Finished collecting for: " + name);59 return majorProgramCourses;60 }61 else{...
browser.utils.js
Source: browser.utils.js
...8 const soldAlbumsCount = await soldAlbums.count();9 for (let index = 0; index < soldAlbumsCount; index += 1) {10 const element = await soldAlbums.nth(index);11 // const priceEl = await element.locator('.item-price');12 // const priceText = await priceEl.allInnerTexts();13 const priceText = await getTextOfElement({page: element, query: '.item-price'});14 // const overEl = await element.locator('.item-over');15 // const overText = await overEl.allInnerTexts();16 const overText = await getTextOfElement({page: element, query: '.item-over'});17 if (!priceText || !overText) {18 continue;19 }20 const price = priceText.replace(/[^0-9]/g, '');21 const over = overText.replace(/[^0-9]/g, '');22 if (price === over) {23 // const titleEl = await element.locator('.item-title');24 // const titleTexts = await titleEl.allInnerTexts();25 const titleText = await getTextOfElement({page: element, query: '.item-title'});26 const linkEl = await element.locator('a.item-inner');27 const linkUrl = await linkEl.getAttribute('href');28 freeAlbums.push({29 title: titleText,30 url: linkUrl.includes('https:') ? linkUrl : `https:${linkUrl}`,31 });32 }33 }34 return freeAlbums;35};36const buyAlbum = async ({37 page, title, url, tempMail,38}) => {39 const result = {40 mailAlbum: false,41 };42 try {43 await page.goto(url);44 } catch (error) {45 log('error navigating to', {url});46 return result;47 }48 waitFor(5);49 const priceLabelText = await getTextOfElement({page, query: '.buyItemExtra.buyItemNyp.secondaryText'});50 if (priceLabelText !== 'name your price') {51 log('album is not free ð¢');52 return result;53 }54 await page.locator('.buyItem.digital .main-button .download-link.buy-link').click();55 let userPriceEl = await page.locator('#userPrice');56 let userPriceCount = await userPriceEl.count();57 let count = 0;58 while (count !== 3 && userPriceCount === 0) {59 count = count + 1;60 await page.locator('.buyItem.digital .main-button .download-link.buy-link').click();61 userPriceEl = await page.locator('#userPrice');62 userPriceCount = await userPriceEl.count();63 log({userPriceCount});64 await waitFor(1);65 }66 await page.locator('#userPrice').click();67 await page.locator('#userPrice').fill('0');68 await page.locator('text=download to your computer').click();69 const fanEmailInput = await page.locator('#email-section:not([style="display:none"]) #fan_email_address');70 const fanEmailInputCount = await fanEmailInput.count();71 if (fanEmailInputCount === 0) {72 await Promise.all([73 page.waitForNavigation(),74 page.locator('text=Download Now').click(),75 ]);76 await downloadAlbum({downloadPage: page, title, url});77 } else {78 log('must add email');79 result.mailAlbum = true;80 await page.locator('#fan_email_address').fill(tempMail);81 await page.locator('#fan_email_postalcode').fill('55555');82 await page.locator('#downloadButtons_email .download-panel-checkout-button').click();83 }84 return result;85};86const getAlbumsFromEmail = async ({emailPage, context, mailAlbums}) => {87 log('getting mailed albums');88 let emailAnchors = await emailPage.locator('a:has-text("Your download from")');89 let emailAnchorsCount = await emailAnchors.count();90 log({emailAnchorsCount, mailAlbums: mailAlbums.length});91 while (emailAnchorsCount < mailAlbums.length) {92 await waitFor(30);93 await emailPage.locator('text=Refresh this page.').click();94 emailAnchors = await emailPage.locator('a:has-text("Your download from")');95 emailAnchorsCount = await emailAnchors.count();96 log({emailAnchorsCount, mailAlbums: mailAlbums.length});97 }98 for (let index = 0; index < emailAnchorsCount; index += 1) {99 const anchor = await emailAnchors.nth(index);100 const {title} = mailAlbums[index];101 const {url} = mailAlbums[index];102 log({anchor});103 await anchor.click();104 let tabA = await emailPage.locator('#tab1 a');105 let tabACount = await tabA.count();106 log('waiting', {tabACount});107 let count = 0;108 while (count !== 3 && tabACount === 0) {109 count = count + 1;110 await anchor.click();111 tabA = await emailPage.locator('#tab1 a');112 tabACount = await tabA.count();113 const adsEl = await emailPage.locator('.adsbygoogle.adsbygoogle-noablate');114 const adsElCount = await adsEl.count();115 if (adsElCount > 1) {116 await removeAdsElements({117 page: emailPage, elements: adsEl, elementsCount: adsElCount,118 });119 }120 await waitFor(1);121 }122 let downloadPageIsRight = false;123 let downloadPage = undefined;124 while (!downloadPageIsRight) {125 [downloadPage] = await Promise.all([126 context.waitForEvent('page'),127 emailPage.locator('#tab1 a').first().click(),128 ]);129 const downloadPageTitle = await downloadPage.title();130 downloadPageIsRight = downloadPageTitle === 'Bandcamp';131 log({downloadPageTitle, downloadPageIsRight});132 if (!downloadPageIsRight) {133 await downloadPage.close();134 }135 }136 await waitFor(5);137 await downloadAlbum({downloadPage, title, url});138 await downloadPage.close();139 }140 return;141};142const downloadAlbum = async ({downloadPage, title, url}) => {143 log('downloading', title);144 const defaultQualityLabel = await downloadPage.locator('text=MP3 V0 â¾');145 const defaultQualityLabelCount = await defaultQualityLabel.count();146 log({defaultQualityLabelCount});147 if (defaultQualityLabelCount) {148 await defaultQualityLabel.click();149 await downloadPage.locator('text=MP3 320').click();150 }151 const [download] = await Promise.all([152 downloadPage.waitForEvent('download'),153 downloadPage.locator('.download a.item-button').click(),154 ]);155 log('will wait for', title);156 const path = await download.path();157 const albumTitle = await getTextOfElement({page: downloadPage, query: '.download .title'});158 let albumArtist = await getTextOfElement({page: downloadPage, query: '.download .artist'});159 albumArtist = albumArtist.replace('by ', '');160 const realTitle = `${albumArtist}-${albumTitle}`;161 log('download for ', realTitle, 'is done', {albumArtist, albumTitle});162 const sanitizedTitle = realTitle.split('\n').join('-').replace(/[/.:,"()]/g, '').replace(/\\n| /g, '-');163 log({realTitle, path: `./downloads/${sanitizedTitle}.${url.includes('track') ? 'mp3' : 'zip'}`});164 moveFile(path, `./downloads/${sanitizedTitle}.zip`);165};166const keepTempMailAlive = async ({page}) => {167 let timeElCount = 1;168 while (timeElCount !== 0 && page) {169 try {170 const timeEl = await page.locator('#time');171 timeElCount = await timeEl.count();172 if (timeElCount !== 0) {173 // const timeTexts = await timeEl.allInnerTexts();174 const timeText = await getTextOfElement({page, query: '#time'});175 const time = timeText.split(':')[0];176 await waitFor(30);177 log('\nminutes left on mail:', time, '\n');178 if (time === '00') {179 log('need 10 more minutes');180 const moreTimeEl = await page.locator('text=Give me 10 more minutes!');181 const moreTimeElCount = await moreTimeEl.count();182 log({moreTimeElCount});183 if (moreTimeElCount === 1) {184 moreTimeEl.click();185 } else {186 return;187 }...
index.mjs
Source: index.mjs
...4const funcs = [5 async (page, key) => {6 const rawDataSpread = await page7 .locator(".pi-horizontal-group")8 .allInnerTexts();9 const rawDataOther = await page.locator(".pi-data").allInnerTexts();10 return {11 [key]: {12 ...rawDataSpread[0]13 ?.split("\n")14 .slice(1)15 .reduce((acc, cur) => [...acc, ...cur.split("\t")], [])16 .reduce(17 (acc, cur, i, arr) => ({18 ...acc,19 [cur]: [...arr.splice(-3 + i, 1)][0].replace(20 /,/,21 "."22 ),23 }),24 {}25 ),26 ...rawDataOther.reduce(27 (acc, cur) => ({28 ...acc,29 [cur.split("\n")[0]]: cur30 .split("\n")[1]31 .replace(/,/, "."),32 }),33 {}34 ),35 },36 };37 },38 async (page, key) => {39 if (key === "Breech Loaded Pistol")40 return {41 "Breech Loaded Pistol Mags": {42 Explosive: { None: "" },43 Incendiary: { Damage: "+50" },44 Scattershot: {45 Damage: "-200",46 Range: "+28/+40",47 },48 },49 };50 else if (key === "Compound Bow Arrows")51 return {52 "Compound Bow Arrows": {53 Standard: {54 None: "",55 },56 Explosive: {57 None: "",58 },59 Stun: {60 None: "",61 },62 Poison: {63 None: "",64 },65 Light: {66 None: "",67 },68 Heavy: {69 None: "",70 },71 Cupid: {72 None: "",73 },74 },75 };76 const rawData = await page.locator("td:not([colspan])").allInnerTexts();77 return {78 [key]: {79 ...rawData.reduce(80 (acc, cur, i) =>81 cur.includes("Foiche")82 ? [...rawData.splice(i + 1, 3)] && acc83 : {84 ...acc,85 [[86 "default",87 "extra large",88 "quick reload",89 "quick reload/run",90 "drum",91 "drum - extra large",92 "quick reloading",93 "damage",94 ].indexOf(rawData[i + 1].toLowerCase()) !==95 -196 ? {97 default: "Standard",98 "extra large": "Extended",99 "quick reload": "Quick",100 "quick reload/run": "Express",101 drum: "Drummed",102 "drum - extra large":103 "Relentless",104 "quick reloading": "Quick",105 damage: "Caliber",106 }[rawData[i + 1].toLowerCase()]107 : rawData[i + 1]]: [108 ...rawData.splice(i + 1, 3),109 ][1]110 ?.split("\n")111 .reduce(112 (acc2, cur2) => ({113 ...acc2,114 [cur2.split(": ")[0] || "None"]:115 cur2.split(": ")[1] ?? "",116 }),117 {}118 ),119 },120 {}121 ),122 },123 };124 },125 async (page, _key) => {126 const rawData = await page127 .locator(".article-table > tbody:nth-child(2)")128 .innerText();129 return rawData130 .split("\n")131 .map((e) => e.split("\t"))132 .reduce(133 (acc, cur) => ({134 ...acc,135 [cur[0]]: {136 Zoom: cur[2],137 "Scope In": cur[3],138 },139 }),140 {}141 );142 },143 async (page, key) => {144 const rawData = await page.locator(".pi-data").allInnerTexts();145 const rawSpread = await page146 .locator(".pi-horizontal-group-item")147 .allInnerTexts();148 return {149 [key]: {150 ...rawData151 .map((e) => e.split("\n"))152 .reduce(153 (acc, cur) => ({154 ...acc,155 [cur[0]]: cur[1],156 }),157 {}158 ),159 ...rawSpread.reduce(160 (acc, cur, i) => ({161 ...acc,...
controller.js
Source: controller.js
...46 * @returns {String[]} a list of names47 */48 async getNames() {49 const namesLocator = this.components.names()50 return await namesLocator.allInnerTexts()51 }52 /**53 * Get a list of price texts54 * @returns {String[]} a list of formated prices (without dollar sign)55 */56 async getPrices() {57 const pricesLocator = this.components.prices()58 const prices = await pricesLocator.allInnerTexts()59 return prices.map((price) => price.replace("$", ""))60 }61 /**62 * Go to an item's detail page by clicking at its name63 * @param {Number} picker - the item's index64 */65 async goToProductDetail(picker) {66 const item = this.components.item(picker)67 if (typeof picker === "string") {68 await item.click()69 } else {70 await item.locator(this.selectors.itemNameText).click()71 }72 }...
product.handler.js
Source: product.handler.js
...44 if (hasSizes) {45 await hasSizes.click();46 sizes = await page47 .locator("#size-filter-product-page-option-list li[role=option]")48 .allInnerTexts();49 await page.locator("body").click(); // close select50 }51 const hasColors = await page.$("#color-filter-product-page-anchor");52 let colors = hasColors ? [] : null;53 if (hasColors) {54 await hasColors.click();55 colors = await page56 .locator("#color-filter-product-page-option-list li[role=option]")57 .evaluateAll(async (elements) => {58 return Promise.all(59 elements.map(async (element) => {60 const color = element.innerText;61 const image = element62 .querySelector("img")...
testUserConnections.js
Source: testUserConnections.js
...23 resolve(exitCode);24 }25 const connectionsLocator = page.locator('.all-connections')26 await connectionsLocator.waitFor()27 const connections = (await connectionsLocator.allInnerTexts()).toString().split('\n ')28 connections[0] = connections[0].substring(1)29 let pages = {}30 for (let i = 0; i < connections.length && i < maxConnections; i++) {31 pages[i] = await context.newPage()32 }33 await Promise.all(Object.keys(pages).map(i =>34 pages[i].goto('https://test.envops.com/guacamole/#/')35 ))36 await Promise.all(Object.keys(pages).map(i => {37 pages[i].click(`:text("${connections[i]}")`)38 }))39 for (let i = 0; i < connections.length && i < maxConnections; i++) {40 try {41 const isErrorLocator = pages[i].locator(':text("Connection Error")')...
webScraper.js
Source: webScraper.js
...13 // just checking Calgary hospitals for now14 const hospitals = {15 name: await page16 .locator('.cityContent-calgary .hospitalName')17 .allInnerTexts(),18 time: await page19 .locator('.cityContent-calgary .wt-times')20 .allInnerTexts(),21 }22 const fullList = []23 for (let i = 0; i < hospitals.name.length; i++) {24 fullList.push({ name: hospitals.name[i], waitTime: hospitals.time[i] })25 }26 // Update the DB with new wait times27 fullList.forEach(async (hospitalObj) => {28 // Set the Name to filter on, and the value to update29 const filter = { hospitalName: hospitalObj.name }30 const update = { waitTime: hospitalObj.waitTime }31 const updatedFacilityTime = await MedicalFacility.findOneAndUpdate(32 filter,33 update,34 { new: true }...
index.js
Source: index.js
...9 const interval = setInterval(() => checkTiger(page), 30 * 60000);10};11const checkTiger = async (page) => {12 await page.waitForTimeout(3000);13 const title = await page.locator('.name').allInnerTexts();14 if (title && title.includes('Tiger Woods')) {15 console.log("Let's go Tigre!!!");16 } else if (title && title.length) {17 console.log('Sheeet wtf happened to Tigre');18 } else {19 console.log('We got an issue with the scraper');20 }21};...
Using AI Code Generation
1const { chromium } = require('playwright');2(async () => {3 const browser = await chromium.launch();4 const context = await browser.newContext();5 const page = await context.newPage();6 const allInnerTexts = await page.evaluateHandle(() => {7 const allElements = document.querySelectorAll('*');8 const allInnerTexts = [];9 for (const element of allElements) {10 allInnerTexts.push(element.innerText);11 }12 return allInnerTexts;13 });14 console.log(await allInnerTexts.jsonValue());15 await browser.close();16})();
Using AI Code Generation
1const { chromium } = require('playwright');2(async () => {3 const browser = await chromium.launch({headless: false});4 const context = await browser.newContext();5 const page = await context.newPage();6 console.log(await page.evaluate(() => {7 return window.allInnerTexts();8 }));9 await browser.close();10})();11const { chromium } = require('playwright');12(async () => {13 const browser = await chromium.launch({headless: false});14 const context = await browser.newContext();15 const page = await context.newPage();16 console.log(await page.evaluate(() => {17 return window.allLinks();18 }));19 await browser.close();20})();21const { chromium } = require('playwright');22(async () => {23 const browser = await chromium.launch({headless: false});24 const context = await browser.newContext();25 const page = await context.newPage();26 console.log(await page.evaluate(() => {27 return window.allImages();28 }));29 await browser.close();30})();31const { chromium } = require('playwright');32(async () => {33 const browser = await chromium.launch({headless: false});34 const context = await browser.newContext();35 const page = await context.newPage();36 console.log(await page.evaluate(() => {37 return window.allButtons();38 }));39 await browser.close();40})();
Using AI Code Generation
1const { chromium } = require('playwright');2(async () => {3 const browser = await chromium.launch({ headless: false });4 const page = await browser.newPage();5 const text = await page.evaluate(() => {6 return document.allInnerTexts();7 });8 console.log(text);9 await browser.close();10})();
Using AI Code Generation
1const { chromium } = require('playwright');2(async () => {3 const browser = await chromium.launch();4 const context = await browser.newContext();5 const page = await context.newPage();6 await page.setContent('<div><div><div>
Using AI Code Generation
1const { allInnerTexts } = require('playwright');2const { chromium } = require('playwright');3(async () => {4 const browser = await chromium.launch();5 const page = await browser.newPage();6 const innerTexts = await allInnerTexts(page);7 console.log(innerTexts);8 await browser.close();9})();10const { allInnerTexts } = require('playwright');11const { chromium } = require('playwright');12(async () => {13 const browser = await chromium.launch();14 const page = await browser.newPage();15 const innerTexts = await allInnerTexts(page);16 console.log(innerTexts);17 await browser.close();18})();
Using AI Code Generation
1const {chromium} = require('playwright');2(async () => {3 const browser = await chromium.launch({headless: false});4 const page = await browser.newPage();5 await page.fill('input[aria-label="Search"]', 'Playwright');6 await page.click('input[value="Google Search"]');7 await page.waitForSelector('h3');8 const allTexts = await page.$$eval('h3', all => all.map(each => each.innerText));9 console.log(allTexts);10 await browser.close();11})();12const {chromium} = require('playwright');13(async () => {14 const browser = await chromium.launch({headless: false});15 const page = await browser.newPage();16 await page.fill('input[aria-label="Search"]', 'Playwright');17 await page.click('input[value="Google Search"]');18 await page.waitForSelector('h3');19 const allTexts = await page.$$eval('h3', all => all.map(each => each.innerText));20 console.log(allTexts);21 await browser.close();22})();23const {chromium} = require('playwright');24(async () => {25 const browser = await chromium.launch({headless: false});26 const page = await browser.newPage();27 await page.fill('input[aria-label="Search"]', 'Playwright');28 await page.click('input[value="Google Search"]');29 await page.waitForSelector('h3');30 const allTexts = await page.$$eval('h3', all => all.map(each => each.innerText));31 console.log(allTexts);32 await browser.close();33})();34const {chromium} = require('playwright');35(async () => {36 const browser = await chromium.launch({headless: false});37 const page = await browser.newPage();38 await page.fill('input[aria-label="Search"]', 'Playwright');39 await page.click('input[value="Google
Using AI Code Generation
1const { allInnerTexts } = require('playwright/lib/server/dom.js');2const { chromium } = require('playwright');3(async () => {4 const browser = await chromium.launch();5 const context = await browser.newContext();6 const page = await context.newPage();7 const texts = await allInnerTexts(page);8 console.log(texts);9 await browser.close();10})();
Using AI Code Generation
1const { allInnerTexts } = require('playwright/lib/internal/selectorEngine');2(async () => {3 const browser = await chromium.launch();4 const page = await browser.newPage();5 await page.setContent('<div>hello</div><div>beautiful</div><div>world!</div>');6 console.log(await allInnerTexts(page, 'div'));7 await browser.close();8})();9const { allInnerTexts } = require('playwright/lib/internal/selectorEngine');10(async () => {11 const browser = await chromium.launch();12 const page = await browser.newPage();13 await page.setContent('<div>hello</div><div>beautiful</div><div>world!</div>');14 console.log(await allInnerTexts(page, 'div'));15 await browser.close();16})();17const { allInnerTexts } = require('playwright/lib/internal/selectorEngine');18(async () => {19 const browser = await chromium.launch();20 const page = await browser.newPage();21 await page.setContent('<div>hello</div><div>beautiful</div><div>world!</div>');22 console.log(await allInnerTexts(page, 'div'));23 await browser.close();24})();25const { allInnerTexts } = require('playwright/lib/internal/selectorEngine');26(async () => {27 const browser = await chromium.launch();28 const page = await browser.newPage();29 await page.setContent('<div>hello</div><div>beautiful</div><div>world!</div>');30 console.log(await allInnerTexts(page, 'div'));31 await browser.close();32})();33const { allInnerTexts } = require('playwright/lib/internal/selectorEngine');34(async () => {35 const browser = await chromium.launch();36 const page = await browser.newPage();37 await page.setContent('<div>hello</div><div>beautiful</div><div>world!</div>');38 console.log(await allInnerTexts(page, 'div'));39 await browser.close();40})();41const {
Jest + Playwright - Test callbacks of event-based DOM library
firefox browser does not start in playwright
Is it possible to get the selector from a locator object in playwright?
How to run a list of test suites in a single file concurrently in jest?
Running Playwright in Azure Function
firefox browser does not start in playwright
This question is quite close to a "need more focus" question. But let's try to give it some focus:
Does Playwright has access to the cPicker object on the page? Does it has access to the window object?
Yes, you can access both cPicker and the window object inside an evaluate call.
Should I trigger the events from the HTML file itself, and in the callbacks, print in the DOM the result, in some dummy-element, and then infer from that dummy element text that the callbacks fired?
Exactly, or you can assign values to a javascript variable:
const cPicker = new ColorPicker({
onClickOutside(e){
},
onInput(color){
window['color'] = color;
},
onChange(color){
window['result'] = color;
}
})
And then
it('Should call all callbacks with correct arguments', async() => {
await page.goto(`http://localhost:5000/tests/visual/basic.html`, {waitUntil:'load'})
// Wait until the next frame
await page.evaluate(() => new Promise(requestAnimationFrame))
// Act
// Assert
const result = await page.evaluate(() => window['color']);
// Check the value
})
Check out the latest blogs from LambdaTest on this topic:
Native apps are developed specifically for one platform. Hence they are fast and deliver superior performance. They can be downloaded from various app stores and are not accessible through browsers.
One of the essential parts when performing automated UI testing, whether using Selenium or another framework, is identifying the correct web elements the tests will interact with. However, if the web elements are not located correctly, you might get NoSuchElementException in Selenium. This would cause a false negative result because we won’t get to the actual functionality check. Instead, our test will fail simply because it failed to interact with the correct element.
Smartphones have changed the way humans interact with technology. Be it travel, fitness, lifestyle, video games, or even services, it’s all just a few touches away (quite literally so). We only need to look at the growing throngs of smartphone or tablet users vs. desktop users to grasp this reality.
As part of one of my consulting efforts, I worked with a mid-sized company that was looking to move toward a more agile manner of developing software. As with any shift in work style, there is some bewilderment and, for some, considerable anxiety. People are being challenged to leave their comfort zones and embrace a continuously changing, dynamic working environment. And, dare I say it, testing may be the most ‘disturbed’ of the software roles in agile development.
LambdaTest’s Playwright tutorial will give you a broader idea about the Playwright automation framework, its unique features, and use cases with examples to exceed your understanding of Playwright testing. This tutorial will give A to Z guidance, from installing the Playwright framework to some best practices and advanced concepts.
Get 100 minutes of automation test minutes FREE!!