Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Add performance measurement #9777

Merged
Merged
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension


Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
1 change: 1 addition & 0 deletions CHANGELOG.md
Original file line number Diff line number Diff line change
Expand Up @@ -5,6 +5,7 @@
[1.19.0 Milestone](https://github.com/eclipse-theia/theia/milestone/25)

- [plugin-ext] add additional startup logging for plugin starting and application loading [#10116](https://github.com/eclipse-theia/theia/pull/10116) - Contributed on behalf of STMicroelectronics
- [scripts] added startup performance measurement script [#9777](https://github.com/eclipse-theia/theia/pull/9777) - Contributed on behalf of STMicroelectronics

## v1.18.0 - 9/30/2021

Expand Down
6 changes: 5 additions & 1 deletion package.json
Original file line number Diff line number Diff line change
Expand Up @@ -14,6 +14,7 @@
"@types/chai-string": "^1.4.0",
"@types/jsdom": "^11.0.4",
"@types/node": "12",
"@types/puppeteer": "^2.0.0",
"@types/sinon": "^2.3.5",
"@types/temp": "^0.8.29",
"@types/uuid": "^7.0.3",
Expand All @@ -37,6 +38,8 @@
"lerna": "^4.0.0",
"nsfw": "^2.1.2",
"nyc": "^15.0.0",
"puppeteer": "^2.0.0",
"puppeteer-to-istanbul": "^1.2.2",
"rimraf": "^2.6.1",
"sinon": "^3.3.0",
"temp": "^0.8.3",
Expand Down Expand Up @@ -75,7 +78,8 @@
"test": "yarn test:theia && yarn electron test && yarn browser test",
"test:theia": "lerna run --scope \"@theia/!(example-)*\" test --stream --concurrency=1",
"watch": "concurrently --kill-others -n tsc,browser,electron -c red,yellow,blue \"tsc -b -w --preserveWatchOutput\" \"yarn --cwd examples/browser watch:bundle\" \"yarn --cwd examples/electron watch:bundle\"",
"watch:compile": "concurrently --kill-others -n cleanup,tsc -c magenta,red \"ts-clean dev-packages/* packages/* -w\" \"tsc -b -w --preserveWatchOutput\""
"watch:compile": "concurrently --kill-others -n cleanup,tsc -c magenta,red \"ts-clean dev-packages/* packages/* -w\" \"tsc -b -w --preserveWatchOutput\"",
"performance:startup": "concurrently --success first -k -r \"cd scripts/performance && node measure-performance.js --name Startup --folder startup --runs 10\" \"yarn --cwd examples/browser start\""
},
"workspaces": [
"dev-packages/*",
Expand Down
2 changes: 2 additions & 0 deletions scripts/performance/.gitignore
Original file line number Diff line number Diff line change
@@ -0,0 +1,2 @@
profiles
workspace
29 changes: 29 additions & 0 deletions scripts/performance/README.md
Original file line number Diff line number Diff line change
@@ -0,0 +1,29 @@
# Performance measurements

This directory contains a script that measures the performance of Theia.
Currently the support is limited to measuring the `browser-app`'s startup time using the `Largest contentful paint (LCP)` value.

## Running the script

### Quick Start

Execute `yarn run performance:startup` in the root directory to startup the backend and execute the script.

### Prerequisites

To run the script the Theia backend needs to be started.
This can either be done with the `Launch Browser Backend` launch config or by running `yarn start` in the `examples/browser-app` directory.

### Executing the script

The script can be executed using `node measure-performance.js` in this directory.

The script accepts the following optional parameters:

- `--name`: Specify a name for the current measurement (default: `StartupPerformance`)
- `--url`: Point Theia to a url for example for specifying a specifc workspace (default: `http://localhost:3000/#/<pathToMeasurementScript>/workspace`)
- `--folder`: Folder name for the generated tracing files in the `profiles` folder (default: `profile`)
- `--runs`: Number of runs for the measurement (default: `10`)
- `--headless`: Boolean, if the tests should be run in headless mode (default: `true`)

_**Note**: When multiple runs are specified the script will calculate the mean and the standard deviation of all values._
182 changes: 182 additions & 0 deletions scripts/performance/measure-performance.js
Original file line number Diff line number Diff line change
@@ -0,0 +1,182 @@
/********************************************************************************
* Copyright (C) 2021 STMicroelectronics and others.
*
* This program and the accompanying materials are made available under the
* terms of the Eclipse Public License v. 2.0 which is available at
* http://www.eclipse.org/legal/epl-2.0.
*
* This Source Code may also be made available under the following Secondary
* Licenses when the conditions for such availability set forth in the Eclipse
* Public License v. 2.0 are satisfied: GNU General Public License, version 2
* with the GNU Classpath Exception which is available at
* https://www.gnu.org/software/classpath/license.html.
*
* SPDX-License-Identifier: EPL-2.0 OR GPL-2.0 WITH Classpath-exception-2.0
********************************************************************************/
// @ts-check
const puppeteer = require('puppeteer');
tsmaeder marked this conversation as resolved.
Show resolved Hide resolved
const fs = require('fs');
const fsExtra = require('fs-extra');
const resolve = require('path').resolve;
const workspacePath = resolve('./workspace');
const profilesPath = './profiles/';

const lcp = 'Largest Contentful Paint (LCP)';
const performanceTag = braceText('Performance');

let name = 'StartupPerformance';
let url = 'http://localhost:3000/#' + workspacePath;
let folder = 'profile';
let headless = true;
let runs = 10;

(async () => {
let defaultUrl = true;

const args = require('yargs/yargs')(process.argv.slice(2)).argv;
if (args.name) {
name = args.name.toString();
}
if (args.url) {
url = args.url.toString();
defaultUrl = false;
}
if (args.folder) {
folder = args.folder.toString();
}
if (args.runs) {
runs = parseInt(args.runs.toString());
}
if (args.headless) {
if (args.headless.toString() === 'false') {
headless = false;
}
}

if (defaultUrl) { fsExtra.ensureDirSync(workspacePath); }
fsExtra.ensureDirSync(profilesPath);
const folderPath = profilesPath + folder;
fsExtra.ensureDirSync(folderPath);

const deployed = await waitForDeployed(url, 10, 500);
if (deployed == false) {
console.error('Could not connect to application.')
} else {
await measurePerformance(name, url, folderPath, headless, runs);
}
})();

async function measurePerformance(name, url, folder, headless, runs) {
const durations = [];
for (let i = 0; i < runs; i++) {
const runNr = i + 1;
const browser = await puppeteer.launch({ headless: headless });
const page = await browser.newPage();

const file = folder + '/' + runNr + '.json';
await page.tracing.start({ path: file, screenshots: true });
tsmaeder marked this conversation as resolved.
Show resolved Hide resolved
await page.goto(url);
// This selector is for the theia application, which is exposed when the loading indicator vanishes
await page.waitForSelector('.theia-ApplicationShell', { visible: true });
// Prevent tracing from stopping too soon and skipping a LCP candidate
await delay(1000);
tsmaeder marked this conversation as resolved.
Show resolved Hide resolved

await page.tracing.stop();

await browser.close();

const time = await analyzeStartup(file)
durations.push(time);
logDuration(name, runNr, lcp, time.toFixed(3), runs > 1);
}

if (runs > 1) {
const mean = calculateMean(durations);
logDuration(name, 'MEAN', lcp, mean);
logDuration(name, 'STDEV', lcp, calculateStandardDeviation(mean, durations));
}
}

async function analyzeStartup(profilePath) {
let startEvent;
const tracing = JSON.parse(fs.readFileSync('./' + profilePath, 'utf8'));
const lcpEvents = tracing.traceEvents.filter(x => {
if (isStart(x)) {
startEvent = x;
return false;
}
return isLCP(x);
});

if (startEvent !== undefined) {
return duration(lcpEvents[lcpEvents.length - 1], startEvent);
}
throw new Error('Could not analyze startup');
}

function isLCP(x) {
return x.name === 'largestContentfulPaint::Candidate';
}

function isStart(x) {
return x.name === 'TracingStartedInBrowser';
}

function duration(event, startEvent) {
sgraband marked this conversation as resolved.
Show resolved Hide resolved
return (event.ts - startEvent.ts) / 1000000;
}

function logDuration(name, run, metric, duration, multipleRuns = true) {
let runText = '';
if (multipleRuns) {
runText = braceText(run);
}
console.log(performanceTag + braceText(name) + runText + ' ' + metric + ': ' + duration + ' seconds');
}

function calculateMean(array) {
let sum = 0;
array.forEach(x => {
sum += x;
});
return (sum / array.length).toFixed(3);
};

function calculateStandardDeviation(mean, array) {
let sumOfDiffsSquared = 0;
array.forEach(time => {
sumOfDiffsSquared += Math.pow((time - mean), 2)
});
const variance = sumOfDiffsSquared / array.length;
return Math.sqrt(variance).toFixed(3);
}

function braceText(text) {
return '[' + text + ']';
}

function delay(time) {
return new Promise(function (resolve) {
setTimeout(resolve, time)
});
}

async function waitForDeployed(url, maxTries, ms) {
let deployed = true;
const browser = await puppeteer.launch({ headless: true });
const page = await browser.newPage();
try {
await page.goto(url);
} catch (e) {
await delay(ms);
let newTries = maxTries - 1;
if (newTries > 0) {
deployed = await waitForDeployed(url, newTries, ms);
} else {
browser.close();
return false;
}
}
browser.close();
return deployed;
}