Create a k6 scripted check
This tutorial shows how to create your first k6 scripted check.
k6 scripted checks use the k6 OSS engine in the background, and give you the flexibility to create checks with complex logic and workflows by writing a JavaScript script.
In this tutorial you will:
- Create a k6 scripted check using the QuickPizza service. The check will:- Generate the details for a random user.
- Register a new user in the test application.
- Log in to the test application.
- Add a pizza rating object to the user’s list, then delete it.
- Log out.
 
- Set up assertions for each request to ensure they’re working as expected.
Before you begin
- A Grafana instance with Synthetic Monitoring set up.
- Optionally, follow the Create a MultiHTTP check tutorial first. That can help you give a better understanding of when to use a MultiHTTP or k6 scripted check, depending on your use case.
Note
This tutorial uses the QuickPizza service, which is a public shared environment. You can use it and follow along this tutorial, but it’s recommended to avoid high-load tests. The service is also open source if you’d like to deploy a private instance.
Create a k6 scripted check
To create a k6 scripted check:
- Open your Grafana instance.
- On the left-hand menu, select Testing & Synthetics.
- Click Synthetics.
- Click Add new check.
- Select Create Scripted check.
After that, you will see the New Scripted check page where you can configure your new check. The first step is to define the check:
- Fill out Job name and Instance.
Register and log in to an application
The Script code editor is where you can configure the specific endpoints you want the k6 scripted check to test. The check comes with an example script that you can use as a starting point.
For this tutorial, the first step is to make a log in request to the QuickPizza application. One advantage of using a scripted check is that you can generate a random email as a username for your user. To do that, edit the default script:
import { check, fail } from 'k6';
import http from 'k6/http';
import { randomString, randomIntBetween } from 'https://jslib.k6.io/k6-utils/1.2.0/index.js';
export default function () {
  // Generate user info
  const first_name = randomString(10);
  const last_name = randomString(10);
  const email = `${first_name}.${last_name}@test.com`;
  const password = randomString(10);
}Next, you can make a POST request to the /api/users endpoint by using the variables you created, as well as set up an assertion to ensure your request returns a 201 HTTP status code:
import { check, fail } from 'k6';
import http from 'k6/http';
import { randomString, randomIntBetween } from 'https://jslib.k6.io/k6-utils/1.2.0/index.js';
export default function () {
  // Generate user info
  const first_name = randomString(10);
  const last_name = randomString(10);
  const email = `${first_name}.${last_name}@test.com`;
  const password = randomString(10);
  // STEP 1: Register a new user
  let response = http.post(
    'https://quickpizza.grafana.com/api/users',
    JSON.stringify({
      username: email,
      password: password,
    })
  );
  check(response, {
    '1. User registration': (r) => r.status === 201,
  }) || fail(`User registration failed with ${response.status}`);
}It’s important to set up assertions for each request you make. That way you can have Synthetic Monitoring automatically validate things such as the response code from your request, or that the response body includes a specific property and value.
Next, you can make a POST request to the /api/users/token/login endpoint to log in to the QuickPizza application with the new user you just created:
import { check, fail } from 'k6';
import http from 'k6/http';
import { randomString, randomIntBetween } from 'https://jslib.k6.io/k6-utils/1.2.0/index.js';
export default function () {
  // Generate user info
  const first_name = randomString(10);
  const last_name = randomString(10);
  const email = `${first_name}.${last_name}@test.com`;
  const password = randomString(10);
  // STEP 1: Register a new user
  let response = http.post(
    'https://quickpizza.grafana.com/api/users',
    JSON.stringify({
      username: email,
      password: password,
    })
  );
  check(response, {
    '1. User registration': (r) => r.status === 201,
  }) || fail(`User registration failed with ${response.status}`);
  // STEP 2: Authenticate
  response = http.post(
    'https://quickpizza.grafana.com/api/users/token/login?set_cookie=true',
    JSON.stringify({ username: email, password: password })
  );
  check(response, {
    '2a. login successful': (r) => r.status === 200,
    '2b. token is present': (r) => r.json('token').length === 16,
  });
}Similar to the first request, you can set up assertions to make sure the log in request returns a 200 HTTP status code, and that the user name and email match the ones your script automatically generated.
Note that this login call will create a session cookie, which is needed to authenticate subsequent calls. k6 handles the session cookie just as a browser would. It transparently manages the receipt, storage, and transmission of cookies.
Create and delete an object
The next step is to configure a POST call to create a pizza rating in the test application, and then grab the newly created rating ID to use in the next request and delete it.
import { check, fail } from 'k6';
import http from 'k6/http';
import { randomString, randomIntBetween } from 'https://jslib.k6.io/k6-utils/1.2.0/index.js';
export default function () {
  // Generate user info
  const first_name = randomString(10);
  const last_name = randomString(10);
  const email = `${first_name}.${last_name}@test.com`;
  const password = randomString(10);
  // STEP 1: Register a new user
  let response = http.post(
    'https://quickpizza.grafana.com/api/users',
    JSON.stringify({
      username: email,
      password: password,
    })
  );
  check(response, {
    '1. User registration': (r) => r.status === 201,
  }) || fail(`User registration failed with ${response.status}`);
  // STEP 2: Authenticate
  response = http.post(
    'https://quickpizza.grafana.com/api/users/token/login?set_cookie=true',
    JSON.stringify({ username: email, password: password })
  );
  check(response, {
    '2a. login successful': (r) => r.status === 200,
    '2b. token is present': (r) => r.json('token').length === 16,
  });
  // STEP 3: Create a "pizza rating" object
  response = http.post('https://quickpizza.grafana.com/api/ratings', JSON.stringify({ stars: 5, pizza_id: 1 }));
  const id = parseInt(response.json('id'));
  check(response, {
    '3a. Rating created and has and id': (r) => r.status === 201 && id && id > 0,
    '3b. Rating stars is correct': (r) => r.json('stars') === 5,
  });
  // STEP 4: Delete the "pizza rating"
  // (The http.url helper will group distinct URLs together in the metrics)
  response = http.del(http.url`https://quickpizza.grafana.com/api/ratings/${id}`);
  check(response, {
    '4a. Rating was deleted': (r) => r.status === 204,
  });
}Note
For the
DELETEendpoint, the examples uses an additional method namedhttp.url. This is important because of how Synthetic Monitoring and active series work.Active series are a concept specific to Grafana Cloud Metrics. They represent a time series that has received data within the last 30 minutes. If your script includes a unique URL, which is the case for the delete endpoint since it includes the unique pizza rating ID at the end, it’ll create a new time series for it. That can have an impact on your billing, and in how easy it is to visualize your results when you’re querying the data from your check runs.
By using the
http.urlmethod, you can make theDELETErequest to the correct endpoint, while making sure that the check metrics will be grouped together by the URL without the unique ID.
Log out of an application
The final step is to log out of the application. To do that, add another request to your script:
import { check, fail } from 'k6';
import http from 'k6/http';
import { randomString, randomIntBetween } from 'https://jslib.k6.io/k6-utils/1.2.0/index.js';
export default function () {
  // Generate user info
  const first_name = randomString(10);
  const last_name = randomString(10);
  const email = `${first_name}.${last_name}@test.com`;
  const password = randomString(10);
  // STEP 1: Register a new user
  let response = http.post(
    'https://quickpizza.grafana.com/api/users',
    JSON.stringify({
      username: email,
      password: password,
    })
  );
  check(response, {
    '1. User registration': (r) => r.status === 201,
  }) || fail(`User registration failed with ${response.status}`);
  // STEP 2: Authenticate
  response = http.post(
    'https://quickpizza.grafana.com/api/users/token/login?set_cookie=true',
    JSON.stringify({ username: email, password: password })
  );
  check(response, {
    '2a. login successful': (r) => r.status === 200,
    '2b. token is present': (r) => r.json('token').length === 16,
  });
  // STEP 3: Create a "pizza rating" object
  response = http.post('https://quickpizza.grafana.com/api/ratings', JSON.stringify({ stars: 5, pizza_id: 1 }));
  const id = parseInt(response.json('id'));
  check(response, {
    '3a. Rating created and has and id': (r) => r.status === 201 && id && id > 0,
    '3b. Rating stars is correct': (r) => r.json('stars') === 5,
  });
  // STEP 4: Delete the "pizza rating"
  // (The http.url helper will group distinct URLs together in the metrics)
  response = http.del(http.url`https://quickpizza.grafana.com/api/ratings/${id}`);
  check(response, {
    '4a. Rating was deleted': (r) => r.status === 204,
  });
  // STEP 5: Logout
  response = http.post(`https://quickpizza.grafana.com/api/users/token/logout`);
  check(response, {
    '5a. Logout successful': (r) => r.status === 200,
  });
}Set probe locations and frequency
Next, you have to configure the Probes, which represent the locations where you want to run your test from, and how frequent you want your check to run:
- Click Execution in the sidebar.
- Select at least one probe from the Probe locations drop-down.
- You can leave the Frequency field with the default value.
Next, click Test at the end of the screen to make sure your check is working correctly, and then click Submit.
Your check will now run from the probe locations that you selected, and with the default frequency value. Your check will make sure that the endpoints you configured are working correctly, and if you have any issues, you will be able to see them in your check dashboard.
Next steps
Now that you have a k6 scripted check configured, you can:
- Refer to Check types to get more information about the metrics and options available for the k6 scripted check type.
- Refer to Analyze results to learn more about how you can visualize and analyze the data collected by your check
- Refer to Synthetic Monitoring alerting to learn how to create and configure alerts in case your check fails.
- Refer to the Grafana Cloud k6 documentation to learn about performance testing, and how you can reuse the same script you created in this tutorial to run a performance test.







