Reputation: 421
My question is simple but I don't understand if it's possible and, in this case, how it's possible.
I would like to use the puppeteer
library in an Angular application using the npm package, but I don't understand how I can use it.
For example I just want to make this script :
const puppeteer = require('puppeteer');
(async () => {
const browser = await puppeteer.launch();
const page = await browser.newPage();
await page.goto('https://example.com');
await page.screenshot({path: 'example.png'});
await browser.close();
})();
In an Angular component, can somebody help me (it will be able me to understanding a lot of thing).
Thanks in advance, sorry for my bad English, I'm French.
Upvotes: 31
Views: 35225
Reputation: 2076
Latest versions of Angular CLI and Puppeteer have an integration. Now you can add Puppeteer by running ng e2e
and choosing Puppeteer from the dropdown. Alternatively, you can install @puppeteer/ng-schematics
directly by running ng add @puppeteer/ng-schematics
. See https://pptr.dev/integrations/ng-schematics for more details.
Upvotes: 3
Reputation: 16441
You can use Puppeteer as a modern smart alternative to Angular Universal for server side rendering and pre-rendering. When using Puppeteer for this purpose, unlike Angular Universal, you don't need to modify your project source code. Using Puppeteer seems significantly easier than Universal.
References:
Headless Chrome: an answer to server-side rendering JS sites
Prerender an Angular application with @angular/cli and puppeteer
Upvotes: 3
Reputation: 61894
npm install --save-dev puppeteer @types/puppeteer
Edit your protractor.conf.js
and add the following inside capabilities
:
// ...
const puppeteer = require('puppeteer');
exports.config = {
// ...
capabilities: {
browserName: 'chrome',
chromeOptions: {
args: ['--headless'],
binary: puppeteer.executablePath(),
},
},
// ...
};
For example, edit your e2e/src/app.e2e-spec.ts
and do the following:
import * as puppeteer from 'puppeteer';
describe('workspace-project App', () => {
it('Test Puppeteer screenshot', async () => {
const browser = await puppeteer.launch();
const page = await browser.newPage();
await page.goto('http://localhost:4200');
await page.screenshot({ path: 'example.png' });
await browser.close();
});
});
Run your e2e tests using ng e2e
. The above example will produce a screenshot of your app home page and save it as example.png
.
Check the official Puppeteer website for more information about how to write tests.
Upvotes: 27