Giter Site home page Giter Site logo

silentimp / express-middleware-headers-server-timing Goto Github PK

View Code? Open in Web Editor NEW
22.0 1.0 0.0 2.44 MB

Middleware for express.js to add server timing headers

Home Page: https://www.npmjs.com/package/server-timing-header

License: Mozilla Public License 2.0

JavaScript 99.76% Shell 0.24%
hacktoberfest express

express-middleware-headers-server-timing's Introduction

Server-Timing Header

This is middleware for Express that allow you monitor server-side performance in the browser with use of Service-Timing headers.

  • Great for identifying server-side performance issues.
  • Supported in Chrome, Safari and Mozilla.
  • 1.52 KB with all dependencies, minified and gzipped.
  • Tested.

Usage

Step 1: install package.

npm i -S server-timing-header

Step 2: add middleware.

+ const serverTimingMiddleware = require('server-timing-header');
const express = require('express');
const app = express();

+ app.use(serverTimingMiddleware({sendHeaders: (process.env.NODE_ENV !== 'production')}));

Step 3: measure how long take to get data.

app.get('/', function (req, res, next) {
+  req.serverTiming.from('db');
  // fetching data from database
+  req.serverTiming.to('db');
  // …
});

Step 4: check Server-Timing in the network tab of Chrome DevTools.

screenshot from chrome

Examples

Measure time between two points

Most common use-case — measure time between two points.

const express = require('express');
const serverTimingMiddleware = require('server-timing-header');
const port = 3000;
const app = express();
app.use(serverTimingMiddleware({sendHeaders: (process.env.NODE_ENV !== 'production')}));
app.get('/', function (req, res, next) {
  req.serverTiming.from('db');
  // fetching data from database
  req.serverTiming.to('db');
});
app.listen(port, () => console.log(`Example app listening on port ${port}!`));
Add metric manually

In case we recieve timing from external source we may just add metric we need.

const express = require('express');
const serverTimingMiddleware = require('server-timing-header');
const port = 3000;
const app = express();
app.use(serverTimingMiddleware());
app.get('/', function (req, res, next) {
  // You got time metric from the external source
  req.serverTiming.add('cache', 'Cache Read', 23.2);
});
app.listen(port, () => console.log(`Example app listening on port ${port}!`));
Add hook to modify data before send

In some cases you may need to modify data before send it to browser. In example bellow we can't separate time of rendering and time of acquiring data. To make render time more precise we may devide time we use to get data from the rendering time.

const express = require('express');
const serverTimingMiddleware = require('server-timing-header');
const port = 3000;
const app = express();
app.use(serverTimingMiddleware());
app.get('/', function (req, res, next) {
  req.serverTiming.from('render');
    req.serverTiming.from('data');
    // fetching data from database
    req.serverTiming.to('data');
  req.serverTiming.to('render');
});
app.use(function (req, res, next) {
  // If one measurement include other inside you may substract times
  req.serverTiming.addHook('substractDataTimeFromRenderTime', function (metrics) {
    const updated = { ...metrics };
    if (updated.data && updated.render) {
      const renderDuration  = req.serverTiming.calculateDurationSmart(updated.render);
      const dataDuration  = req.serverTiming.calculateDurationSmart(updated.data);
      updated.render.duration = Math.abs(renderDuration - dataDuration);
    }
    return updated;
  });
});
app.listen(port, () => console.log(`Example app listening on port ${port}!`));
Result in the Chrome DevTools

screenshot from chrome

Result in the Safari DevTools

screenshot from safari

Access metrics values from JavaScript on a client

You may access data from JavaScript with help of PerformanceServerTiming.

['navigation', 'resource']
        .forEach(function(entryType) {
          performance.getEntriesByType(entryType).forEach(function({name: url, serverTiming}) {
            serverTiming.forEach(function({name, duration, description}) {
              console.info('expressjs middleware =',
                JSON.stringify({url, entryType, name, duration, description}, null, 2))
            })
          })
      })

screenshot

Support

Current support:

  • Chrome v.60
  • FF v.63
  • Safari v.12.1 (no api support)

Documentation

Table of Contents

ServerTiming

Middleware for express.js to add Server Timing headers

Meta

addHook

Add callback to modify data before create and send headers

Parameters

  • name string — hook name
  • callback function — function that may modify data before send headers
  • callbackIndex number index that will be used to sort callbacks before execution

Examples

Add hook to mutate the metrics

const express = require('express');
const serverTimingMiddleware = require('server-timing-header');
const port = 3000;
const app = express();
app.use(serverTimingMiddleware());
app.use(function (req, res, next) {
  // If one measurement include other inside you may substract times
  req.serverTiming.addHook('substractDataTimeFromRenderTime', function (metrics) {
     const updated = { ...metrics };
     if (updated.data && updated.render) {
       const renderDuration  = req.serverTiming.calculateDurationSmart(updated.render);
       const dataDuration  = req.serverTiming.calculateDurationSmart(updated.data);
       updated.render.duration = Math.abs(renderDuration - dataDuration);
     }
     return updated;
  });
});
app.listen(port, () => console.log(`Example app listening on port ${port}!`));

removeHook

Remove callback with specific name

Parameters

from

Set start time for metric

Parameters

  • name string — metric name
  • description string? — description of the metric

Examples

You may define only start time for metric

const express = require('express');
const serverTimingMiddleware = require('server-timing-header');
const port = 3000;
const app = express();
app.use(serverTimingMiddleware());
app.get('/', function (req, res, next) {
  // If you define only start time for metric,
  // then as the end time will be used header sent time
  req.serverTiming.from('metric', 'metric description');
  // fetching data from database
});
app.listen(port, () => console.log(`Example app listening on port ${port}!`));

to

Set end time for metric

Parameters

  • name string — metric name
  • description string? — description of the metric

Examples

You may define only end time for metric

const express = require('express');
const serverTimingMiddleware = require('server-timing-header');
const port = 3000;
const app = express();
app.use(serverTimingMiddleware());
app.get('/', function (req, res, next) {
  // fetching data from database
  // If you define only end time for metric,
  // then as the start time will be used middleware initialization time
  req.serverTiming.to('metric');
});
app.listen(port, () => console.log(`Example app listening on port ${port}!`));

description

Add description to specific metric

Parameters

  • name string — metric name
  • description string — description of the metric

duration

Add duration to specific metric

Parameters

  • name string — metric name
  • duration float — duration of the metric

add

Add metric

Parameters

  • name string metric name
  • description string — metric description
  • duration number — metric duration (optional, default 0.0)

Examples

Add metric

const express = require('express');
const serverTimingMiddleware = require('server-timing-header');
const port = 3000;
const app = express();
app.use(serverTimingMiddleware());
app.get('/', function (req, res, next) {
  // You got time metric from the external source
  req.serverTiming.add('metric', 'metric description', 52.3);
});
app.listen(port, () => console.log(`Example app listening on port ${port}!`));

calculateDurationSmart

Calculate duration between two timestamps, if from or two is undefined — will use initialization time and current time to replace

Parameters

  • metric object — object that contain metric information
    • metric.name string — metric name
    • metric.description string — metric description
    • metric.from Array<integer> — start time [seconds, nanoseconds], if undefined, initialization time will be used
    • metric.to Array<integer> — end time [seconds, nanoseconds], if undefined, current timestamp will be used
    • metric.duration integer — time in milliseconds, if not undefined method will just return durations

Returns integer duration in milliseconds

oldStyle

Build server-timing header value by old specification

Parameters

  • name string metric name
  • description string metric description
  • duration string metric duration

Returns string — server-timing header value

newStyle

Build server-timing header value by current specification

Parameters

  • name string metric name
  • description string metric description
  • duration string metric duration

Returns string — server-timing header value

index

Express middleware add serverTiming to request and make sure that we will send this headers before express finish request

Parameters

  • options object? — middleware options (optional, default {})
    • options.sendHeaders boolean? should middleware send headers (may be disabled for some environments) (optional, default true)

Examples

How to add middleware

const express = require('express');
const serverTimingMiddleware = require('server-timing-header');
const port = 3000;
const app = express();
app.use(serverTimingMiddleware());
app.get('/', function (req, res, next) {
  req.serverTiming.from('db');
  // fetching data from database
  req.serverTiming.to('db');
});
app.listen(port, () => console.log(`Example app listening on port ${port}!`));

Returns function return express middleware

express-middleware-headers-server-timing's People

Contributors

silentimp avatar

Stargazers

Mikhail Serebryakov avatar Radu Micu avatar Alfred Westerveld avatar Christian Claudeaux avatar Hongbo Miao avatar Sebastian Cichos avatar Piotr Błażejewicz (Peter Blazejewicz) avatar Felix Mosheev avatar Aleksei avatar Denis Denisov avatar Vladislav Shkodin avatar Abdul Rauf avatar Dan Kozlov avatar Andrey Gurtovoy avatar Eduard Aksamitov avatar ik5 avatar Denis Denisov avatar Stanislav Goncharov avatar Serhii Zelinskyi avatar Alexey Duryagin avatar Anton Petrov avatar Andrey Sitnik avatar

Watchers

James Cloos avatar

express-middleware-headers-server-timing's Issues

Version 1.9.1 introduced a bug that breaks addHeaders on express 4.17.1

Version 1.9.1 has introduced a bug that crashes the middleware by trying to access headers with response.headers. This will produce an error at least on express 4.17.1. I believe that the proper way of accessing the headers would be via response.get.

Error produced:

TypeError: Cannot read property 'server-timing' of undefined
    at ServerTiming.addHeaders (/home/phz/workspace/server-timing-header-bug/node_modules/server-timing-header/index.js:283:37)

Minimal example can be found at https://github.com/Hallian/server-timing-header-bug-minimal-example

Recommend Projects

  • React photo React

    A declarative, efficient, and flexible JavaScript library for building user interfaces.

  • Vue.js photo Vue.js

    🖖 Vue.js is a progressive, incrementally-adoptable JavaScript framework for building UI on the web.

  • Typescript photo Typescript

    TypeScript is a superset of JavaScript that compiles to clean JavaScript output.

  • TensorFlow photo TensorFlow

    An Open Source Machine Learning Framework for Everyone

  • Django photo Django

    The Web framework for perfectionists with deadlines.

  • D3 photo D3

    Bring data to life with SVG, Canvas and HTML. 📊📈🎉

Recommend Topics

  • javascript

    JavaScript (JS) is a lightweight interpreted programming language with first-class functions.

  • web

    Some thing interesting about web. New door for the world.

  • server

    A server is a program made to process requests and deliver data to clients.

  • Machine learning

    Machine learning is a way of modeling and interpreting data that allows a piece of software to respond intelligently.

  • Game

    Some thing interesting about game, make everyone happy.

Recommend Org

  • Facebook photo Facebook

    We are working to build community through open source technology. NB: members must have two-factor auth.

  • Microsoft photo Microsoft

    Open source projects and samples from Microsoft.

  • Google photo Google

    Google ❤️ Open Source for everyone.

  • D3 photo D3

    Data-Driven Documents codes.