This is documentation for the next version of Grafana k6 documentation. For the latest stable release, go to the latest version.
Error handling
When you execute a load test, your System Under Test (SUT) may often become over saturated and start responding with errors. In this case, you need to consider what the iteration execution should do:
- to embrace the system error and continue the execution of the scenario
- or to exit
It’s not uncommon for performance testers to forget about these cases. We often write fragile test code that assumes our system’s response will always succeed and contain the expected data.
import { check, group } from 'k6';
import http from 'k6/http';
export default function () {
  group('Fetch a list of pizza names', () => {
    const res = http.get('https://quickpizza.grafana.com/api/names');
    check(res, {
      'is status 200': (r) => r.status === 200,
      'got more than 5 crocs': (r) => r.json().length > 5,
    });
    // ... continue test within the group...
  });
  group('other group', () => {
    //...
  });
}This code will work fine when the SUT returns correct responses. But, when the SUT starts to fail, r.json().length will throw an exception:
ERRO[0001] cannot parse json due to an error at line 1, character 2 , error: invalid character '<' looking for beginning of value
running at reflect.methodValueCall (native)In this case, k6 throws a JavaScript exception and exits the execution of the current iteration but continues starting new iterations.
This might not be ideal because:
- system errors are propagated as exceptions that are not reported on the test results
- you might want to embrace these errors - as normal - and continue the execution
It’s possible to rewrite this test to be less fragile, but it can make our test code longer and less readable.
Handling exceptions
Sometimes it’s hard to predict how a SUT might fail. For those cases, describe catches any internal exceptions and:
- records them as failed assertions
- continues the execution (outside of its describe()function)
import { describe, expect } from 'https://jslib.k6.io/k6chaijs/4.3.4.3/index.js';
export default function testSuite() {
  describe('Test case against a Shaky SUT', (t) => {
    throw 'Something entirely unexpected happened';
  });
  // this test case will be executed because
  // the previous `describe` catched the exception
  describe('Another test case', (t) => {
    expect(2).to.equal(2);
  });
}█ Test case against a Shaky SUT
  ✗ Exception raised "Something entirely unexpected happened"
  ↳  0% — ✓ 0 / ✗ 1
█ Another test case
  ✓ expected ${this} to equal 2





