Download OpenAPI specification:Download
If you are unsure what the Sports API can do and how it works please contact sports-cloud-api@firstbeat.com. There are use cases that the API does not support and it is better to check your requirements with us.
Sports API is available for Sports Premium and Premium+ customers.
An alternative method for getting data out from Firstbeat Sports is the Data Export functionality in the Sports Cloud (premium feature).
Possible limitations to be aware of:
In case you have any questions about the Sports API please contact sports-cloud-api@firstbeat.com. For general Firstbeat Sports questions, please contact support@firstbeat.com.
We are happy to help you with any questions you might have.
It is possible to try the Sports API with a test account. After registering as an API user, you will also get access to a test account that you can use for development and testing purposes.
Test Account is a sandbox meant only for testing purposes.
The Firstbeat Sports Cloud API uses URL versioning, where the API version is included in the base URL.
https://api.firstbeat.com/v1/
One API version is officially supported at a time unless otherwise communicated. This means that bug fixes are made to the latest version while old versions might still be available for some time.
The following are breaking changes and will not change in the same API version:
The following changes can be made on the same version:
results?responseformat=v2
To get started, you need to register as a Sports API consumer. First, you need to select your API consumerName and then make an API request to account/register
endpoint to create id
and sharedSecret
.
Your API consumerName
can be at most 100 character long and must uniquely identify your team or organization so that it is not likely to be mistaken for some other entity. Your API consumerName
will be visible in the Sports Cloud.
Base URI of the API is:
https://api.firstbeat.com/v1/
Example:
curl 'https://api.firstbeat.com/v1/account/register' \
--data '{"consumerName": "your_api_consumer_name"}'
On Windows command prompt you need a workaround for the single quotes:
curl -d "{"consumerName": "your_api_consumer_name"}" https://api.firstbeat.com/v1/account/register
After a successful API call you should get a response similar to:
{ "id": "87a05c83-d5b7-46ba-aa4a-32f56cd284d5", "consumerName":"your_api_consumer_name", "sharedSecret":"8d5b6d12-61c5-4303-9ae3-c1837a15034b" }`
The generated id
field is the primary field used for identifying you as an API user.
sharedSecret
is used later for generating a token to access the API.
Please store your sharedSecret
securely. You don't need to send the sharedSecret
to Firstbeat Support.
After you have created your API consumer, please send the
consumerName
,id
andto sports-cloud-api@firstbeat.com. Please contact us using an email address that you have previously used to communicate with Firstbeat Sales or Customer Success Managers and include them as recipient in CC field of the email, if applicable.
After you have received an e-mail that your id
has been approved by the Sports API staff you are ready to proceed to the next step.
Next, you need to grant the API consumer access to your Sports account data. This is done at Sports Cloud (https://sports.firstbeat.com).
If you don’t have access to Sports Cloud, please ask a person who owns the account to complete the steps below.
In Sports Cloud, do the following:
Click the settings menu on the top left corner of the screen. Go to the Cloud API section of the screen.
Read and accept the license agreement.
Select the API consumer from the list to grant access to account data (select the account checkbox).
Finally, save settings.
After the access has been approved, you can proceed to create JWT Tokens and adding an API Key.
The API token is needed for creating an API key and for making request to the Sports API.
Every Firstbeat Cloud API endpoint (except
/register
) will require authentication in the form of JWT Token (JSON Web Token) in the Authorization header.
The format for passing the token in headers is as follows:
Authorization Bearer xxxxxxxxxxxxxxxx.yyyyyyyyyyyyy.zzzzzzzzzzzzzzz
JWT Token is a standardized way of generating a token. Currently, Firstbeat Cloud API supports HMACSHA256 encoded JWT tokens, with a shared secret. The token must be valid for at the most five minutes after generation.
JWT Token format consists of three parts separated by a . (dot). The first part is the Base64 encoded header information, the second part is Base64 encoded Payload data and the last part is HMAC – encoded combination of HMACSHA256 encoding the headers, payload, and a shared secret text string.
For more information about JWT Tokens, check https://jwt.io/
You need your id
and sharedSecret
to create an API token.
Examples of how to create a JWT token are provided in the next chapter.
As a result, you should have a token generated. A token looks like this (your token will be unique).
eyJ0eXAiOiJKV1QiLCJhbGciOiJIUzI1NiJ9.eyJpc3MiOiJjMzhlMjU2ZC0xMWVlLTRmNWQtYWI0NS1iNjJkMDU3NGE3ZmQiLCJpYXQiOjE1ODg2NzQxNzYsImV4cCI6MTU4ODY3NDQ3Nn0.BQpPdmyM4KikNFIRisKdOkFRCADCA1bQpKUzBUWy3QA
Note: Token is valid only until the expiration you set for it, which can be at most five minutes from issuance. You can create a new token even for each time you invoke the API.
Here are some examples with commonly used programming languages on how to generate a JWT Token with the help of some open source JWT libraries:
Create a JWT token with Java (java-jwt):
import java.util.Date;
import com.auth0.jwt.JWT;
import com.auth0.jwt.algorithms.Algorithm;
try {
Algorithm algorithm = Algorithm.HMAC256("YOUR_SHARED_SECRET");
Date now = new Date();
Date expires = new Date();
expires.setSeconds(expires.getSeconds() + 300);
String token = JWT.create()
.withIssuer("YOUR_CONSUMER_ID")
.withIssuedAt(now)
.withExpiresAt(expires)
.sign(algorithm);
} catch (UnsupportedEncodingException exception){
//UTF-8 encoding not supported
} catch (JWTCreationException exception){
//Invalid Signing configuration / Couldn't convert Claims.
}
Create a JWT token with Node.js (jsonwebtoken):
'use strict';
const jwt = require('jsonwebtoken');
const SECRET = 'YOUR_SHARED_SECRET';
const issuedAt = Date.now() / 1000;
const payload = {
iss: 'YOUR_CONSUMER_ID',
iat: issuedAt,
exp: issuedAt + 300
};
// default algorithm (HMAC SHA256)
const token = jwt.sign(payload, SECRET);
Create a JWT token with Python (pyJwt):
import jwt #pyjwt
import time
secret = 'YOUR_SHARED_SECRET'
now = int(time.time())
expires = now + 300
payload = {
'iss': 'YOUR_CONSUMER_ID',
'iat': now,
'exp': expires
}
token = jwt.encode(payload, secret)
Create a JWT token with R script (jose):
library(openssl)
library(jose)
id <- "YOUR_CONSUMER_ID"
sharedSecret <- "YOUR_SHARED_SECRET"
now <- as.numeric(Sys.time())
after_five_minutes <- now + 300
claim <- jwt_claim(iss = id, iat = now, exp = after_five_minutes)
secret <- charToRaw(sharedSecret)
token <- jwt_encode_hmac(claim, secret)
Next, create your API key using the account/api-key
endpoint.
For this step, you need a valid API token you generated earlier. Please remember the five minute expiration period for the token. Generate a new token in case more than five minutes have passed.
You create an API key only once.
Example curl command:
curl 'https://api.firstbeat.com/v1/account/api-key' \
--request GET \
--header 'Authorization: Bearer
eyJ0eXAiOiJKV1QiLCJhbGciOiJIUzI1NiJ9.eyJpc3MiOiJjMzhlMjU2ZC0xMWVlLTRmNWQtYWI0NS1iNjJkMDU3NGE3ZmQiLCJpYXQiOjE1ODg2NzQxNzYsImV4cCI6MTU4ODY3NDQ3Nn0.BQpPdmyM4KikNFIRisKdOkFRCADCA1bQpKUzBUWy3QB'
For this command, you make a GET request with a header “Bearer token” string.
If the request is successful, you get an API key as a response:
{"apikey":"cXvpCBUzG64orvHXA5taA2Et2hWGr6Gh1LqL90hx"}
Your API key doesn't change if you call the api-key end point again.
At this point:
Now you can access the Sports Cloud API.
Each API request needs to include an API key and a valid token in the header.
Example curl command to list accounts linked for your API consumer:
curl 'https://api.firstbeat.com/v1/sports/accounts' \
--request GET \
--header 'Authorization: Bearer
eyJ0eXAiOiJKV1QiLCJhbGciOiJIUzI1NiJ9.eyJpc3MiOiJjMzhlMjU2ZC0xMWVlLTRmNWQtYWI0NS1iNjJkMDU3NGE3ZmQiLCJpYXQiOjE1ODg2NzQxNzYsImV4cCI6MTU4ODY3NDQ3Nn0.BQpPdmyM4KikNFIRisKdOkFRCADCA1bQpKUzBUWy3QA' \
--header 'x-api-key: cXvpCBUzG64orvHXA5taA2Et2hWGr6Gh1LqL90hx'
Successful operation returns:
{
"accounts": [
{
"accountId": "1-1",
"name": "Some account",
"authorizedBy": {
"coachId": 0
}
}
]
}
Each API consumer will have usage limits of how frequently it is allowed for the consumer to request Firstbeat Cloud API resources.
Currently, API consumer-specific limits are as follows:
Some endpoints are limited to 1000 results per request. To fetch more results, the API provides an attribute “more”
with the results.
If “more: true”
attribute appears in the returned JSON data, you may request the next page by providing query parameter ?offset=OFFSET_NUMBER
to the request. OFFSET_NUMBER
is the amount of already fetched records, for example 1000.
All returned time fields follow RFC3339 specification. Data is always returned in UTC time.
Measurements can be filtered by time, exercise type aka title, measurement type, sports or event type. Different filters can be combined in order to have better results.
Parameter (example) | Description |
---|---|
fromTime:2017-02-01T12:00:00Z (year-month-dayThour:minute:secondZ) | Return all measurements that begin earliest at the specified time |
toTime:2017-02-02T23:30:00Z (year-month-dayThour:minute:secondZ) | Return all measurements that begin before the specified time |
exerciseType | Return all measurements which have given title |
measurementType | Return all measurements of specific type |
sportsType | Return all measurements for one or more specific sports displines |
eventType | Return all measurements from one ore more specific types of events |
Measurement type is a fundamental categorization that determines how Firstbeat Sports handles a particular measurement. Possible values are as follows.
value | Description |
---|---|
exercise | Regular measurement from training, game, fitness test, etc |
quickRecoveryTest | Short measurement used for estimating athlete's recovery level |
night | Long, possibly multi-day measurement for studying stress and recovery |
manual | Manual record that contains no data from a device |
Sessions can be filtered by time or type. Different filters can be combined in order to have better results.
Parameter (example) | Description |
---|---|
fromTime:2017-02-01T12:00:00Z (year-month-dayThour:minute:secondZ) | Return all sessions that begin earliest at the specified time |
toTime:2017-02-02T23:30:00Z (year-month-dayThour:minute:secondZ) | Return all sessions that begin before the specified time |
type:sessionType | Return all sessions which have given type |
sportsType | Return all sessions for one or more specific sports displines |
eventType | Return all sessions from one or more specific types of events |
Measurements and sessions can be categorized based on sports discipline and type of event. Possible values for these fields can be retrieved from endpoints https://api.firstbeat.com/v1/sports/sports-types
and https://api.firstbeat.com/v1/sports/event-types
respectively. They are also listed below.
Sports type indicates the sports discipline practised during the measurement. Possible values are
Event type indicates what kind of event the measurement is from. Possible values are
You can find full list of available result variables below. There are two types of variables:
64
.[115,115,117,124,...]
.Time series are Base64 encoded and zlib compressed.
Here is a code example how to work with time series data in JavaScript.
import pako from 'pako';
import atob from 'atob';
const decompress = series => {
const bytes = pako.inflate(
new Uint8Array(
atob(series.data)
.split('')
.map(x => x.charCodeAt(0))
)
);
const buffer = new ArrayBuffer(bytes.length);
const view = new DataView(buffer);
bytes.forEach((b, i) => view.setUint8(i, b));
const readValueFromByteArray = {
Float: {
64: (dataView, index) => dataView.getFloat64(index * 8),
32: (dataView, index) => dataView.getFloat32(index * 4)
},
Unsigned: {
16: (dataView, index) => dataView.getUint16(index * 2),
8: (dataView, index) => dataView.getUint8(index)
},
Signed: {
16: (dataView, index) => dataView.getInt16(index * 2)
}
};
const result = [];
for (let i = 0; i < bytes.length / (series.bits / 8); i++) {
result[i] = readValueFromByteArray[series.type][series.bits](view, i);
}
return result;
};
You may also use the query parameter format=list
to get the data in an uncompressed format. The binary format is default and recommended because the API is only able to return a response at largest 6 MB. With long measurements and large number series, it is possible to exceed that. If you receive status code 500 while querying analysis results, switch to format=binary
or reduce the set of series requested in a single query.
For example: ...results?var=rmssd1MinSeries,vlfSeries,lfSeries,hfSeries&format=list
Last column of the table below shows the corresponding variable name in Sports Cloud data export (excel export). Note the differences in some variable names, for example training zone times.
Note: Names of the heart rate zone variables are different than in the rest of the system!
API variable name | Unit | Description | Data Export variable name |
---|---|---|---|
heartRateAverage | 1/min | The average heart rate value for the measurement. | Average HR (bpm) |
heartRatePeak | 1/min | The highest heart rate value achieved during the measurement. | Peak HR (bpm) |
heartRateLowest | 1/min | The lowest heart rate value achieved during the measurement. | Minimum Heart rate` |
heartRateAveragePercentage | % | Average %HRmax from the recorded measurement. Calculated based on the maximum heart rate value set to the profile. | Average %HRmax (%) |
heartRatePeakPercentage | % | Peak value of %HRmax. Calculated based on the set maximum heart rate. | Peak HR (bpm) |
heartRateMinimumPercentage | % | Minimum value of %HRmax. Calculated based on the set maximum heart rate value. | Minimum HR (bpm) |
zone1Time | min | The overall time spent in heart rate zone1 during the measurement. The exercise intensities are categorized into different zones based on the percentage of personal maximal heart rate (%Hrmax). | High intensity training (hh:mm:ss) |
zone2Time | min | The overall time spent in heart rate zone2 during the measurement. | Anaerobic threshold zone (hh:mm:ss) |
zone3Time | min | The overall time spent in heart rate zone3 during the measurement. | Aerobic zone 2 (hh:mm:ss) |
zone4Time | min | The overall time spent in heart rate zone4 during the measurement. | Aerobic zone 1 (hh:mm:ss) |
zone5Time | min | The overall time spent in heart rate zone5 during the measurement. | Recovery training (hh:mm:ss) |
underZonesTime | min | The overall time spent below the set heart rate zones during the measurement. | Time Under Zones (hh:mm:ss) |
trimp | index | Training Impulse value. A cumulative variable illustrating training load | TRIMP (Index) |
trimpPerMinute | 1/min | Average TRIMP accumulation per minute in the recorded measurement. | TRIMP/min (Index) |
epocPeak | ml/kg | The highest EPOC (Excess Post-Exercise Oxygen Consumption) value achieved during the measurement. | EPOC Peak (ml/kg) |
epocFinal | ml/kg | The last value of EPOC (Excess Post-Exercise Oxygen Consumption) at the end of the measurement. | EPOC (ml/kg) |
vo2max | ml/kg/min | Maximal amount of oxygen in milliliters per kilogram the athlete can utilize over one minute during an intense, maximal effort. Calculated from the heart rate variability data. | VO2max (ml/kg/min) |
oxygenConsumptionAverage | ml/kg/min | The average rate of oxygen consumption achieved during the measurement. | Average VO2 (ml/kg/min) |
oxygenConsumptionPeak | ml/kg/min | The highest rate of oxygen consumption achieved (VO2max) during the measurement. Oxygen consumption is calculated in proportion to the person's weight. The higher the value, the higher the peak intensity of exercise. | Peak VO2 (ml/kg/min) |
oxygenConsumptionMaximumPercentage | % | Peak value of %VO2max. Calculated based on the set VO2max value. | Peak %VO2max (%) |
oxygenConsumptionAveragePercentage | % | Average %VO2max from the recorded measurement. | Average %VO2max (%) |
acuteTrainingLoad | index | The TRIMP sum from the past 7 days. | Acute Training Load |
chronicTrainingLoad | index | The TRIMP sum from the past 28 days divided by 4. | Chronic Training Load |
acwr | (ratio) | Acute and chronic working load ratio. | ACWR |
aerobicTrainingEffect | 0.0 - 5.0 | The 0-5 score of the personalized impact of the training measurement on aerobic fitness development. A score 0-0.9 is defined as "no effect", 1.0-1.9 as "minor effect", 2.0-2.9 as "maintaining effect", 3.0-3.9 as "improving effect", 4.0-4.9 as "highly improving effect", and 5.0 as "overreaching effect". Not available for laps and sessions | Aerobic TE (0.0 - 5.0) |
anaerobicTrainingEffect | 0.0 - 5.0 | Anaerobic Training Effect. See aerobicTrainingEffect for results scale. Not available for laps and sessions | Anaerobic TE (0.0 - 5.0) |
respirationRateAverage | 1/min | Average respiration rate in times per minute. Calculated from the heart rate variability data. | Average RespR (times/min) |
respirationRatePeak | 1/min | Peak value of respiration rate in times per minute | Peak RespR (times/min) |
energyConsumptionCarbs | kcal | Shows the carbohydrate energy expenditure in the recorded measurement in kcal. | EE Carbohydrates (kcal) |
energyConsumptionFats | kcal | Shows the fat energy expenditure in recorded measurement in kcal. | EE Fats (kcal) |
energyConsumptionTotal | kcal | The overall energy (kilocalorie) consumption during the measurement. | EE Total (kcal) |
movementLoad | index | Total accumulated movement load. | Movement load |
averageMovementIntensity | index | Average of the accumulation rate of movement load. | Average movement intensity. This is a Premium+ feature |
quickRecoveryTestScore | index | The 0-100% score of the personalized result of the Quick Recovery Test (QRT). Only available for quick recovery tests | Quick recovery test (Index) |
quickRecoveryScaledScore | % | Scaled quick recovery index calculated based on the athlete's minimum and maximum quick recovery test index value. Only available for quick recovery tests | Scaled Quick Recovery Test (%) |
scaledQrtWeeklyMean | % | Athlete's individual quick recovery test 7-day average. Only available for quick recovery tests | - |
playerStatusScore | 0-100 | Training status describes the balance of training for an individual athlete. Scale: well balanced: over 70, moderately balanced: 30-70, out of balance: below 30. This is a Premium+ feature | Training status |
rmssd | ms | Root Mean Square of Successive Differences on the RR interval series, value that indicates quality of recovery. | RMSSD (ms) |
rmssdSleepAverage | ms | Root Mean Square of Successive Differences on the RR interval series, during sleep. Only available for stress & recovery measurements | RMSSD Sleep (ms) |
rmssdNonSleepAverage | ms | Root Mean Square of Successive Differences on the RR interval series, during time spent awake. Only available for stress & recovery measurements | RMSSD Awake (ms) |
sdnn | ms | Standard deviation of normal to normal RR intervals in milliseconds. | SDNN (ms) |
lfHfRatio | % | Ratio between the high frequency and low frequency heart rate variability power during the recorded measurement. | LF/HF (%) |
lfAverage | ms^2 | Mean of the low frequency heart rate variability power during the recorded measurement. | LF Average (ms^2) |
hfAverage | ms^2 | Mean of the high frequency heart rate variability power during the recorded measurement. | HF Average (ms^2) |
vlfAverage | ms^2 | Mean of the very low frequency heart rate variability power during the recorded measurement. | VLF Average (ms^2) |
recoveryStateTime | min | The overall time spent in recovery state during the measurement. Only available for stress & recovery measurements | Relaxation time (hh:mm:ss) |
stressStateTime | min | The overall time spent in stress state during the measurement. Only available for stress & recovery measurements | Stress time (hh:mm:ss) |
sleepStateTime | min | Athletes’s sleep duration in hours, minutes and seconds. Only available for stress & recovery measurements | Sleep duration (hh:mm:ss) |
sleepRecoveryIndexAbsolute | index | An index of the athlete's recovery during sleep from the 4-hour window starting 30 minutes after going to bed. Only available for stress & recovery measurements | Recovery Index (absolute) |
daysSinceLastGoodRecovery | days | Athletes's time since good recovery in days. Only available for quick recovery tests | Quick recovery test (Time since good recovery) (Days) |
measurementError | % | Average percentage of RR intervals recognized as artifacts after the artifact correction has corrected the data. | Measurement error (%) |
perceivedRecovery | 1-5 | Perceived recovery value from athlete. Not available for laps and sessions | Perceived recovery |
firstbeatPointsStressBalance | 0-100 | A score ranging from 0 to 100 that evaluates the balance between stress and recovery responses over a 24-hour cycle, including both day and sleep | 24h stress & recovery balance (%) |
ventilationAverage | liter/min | Average rate of air intake | Average VE (liter/min) |
ventilationPeak | liter/min | Highest rate of air intake | Peak VE (liter/min) |
heartRateRecoveryRelative30s | % | The largest drop in heart rate level over a 30 second window relative to athlete's personal maximum heart rate. This is a Premium+ feature | HR Recovery (30s, %) |
heartRateRecoveryRelative60s | % | The largest drop in heart rate level over a 60 second window relative to athlete's personal maximum heart rate. This is a Premium+ feature | HR Recovery (60s, %) |
heartRateRecoveryRelative120s | % | The largest drop in heart rate level over a 120 second window relative to athlete's personal maximum heart rate. This is a Premium+ feature | HR Recovery (120s, %) |
heartRateRecoveryAbsolute30s | 1/min | The largest drop in heart rate level over a 30 second window. This is a Premium+ feature | HR Recovery (30s, bpm) |
heartRateRecoveryAbsolute60s | 1/min | The largest drop in heart rate level over a 60 second window. This is a Premium+ feature | HR Recovery (60s, bpm) |
heartRateRecoveryAbsolute120s | 1/min | The largest drop in heart rate level over a 120 second window. This is a Premium+ feature | HR Recovery (120s, bpm) |
distance | m | Not available for laps and sessions | Distance (m) |
speedAverage | km/h | Not available for laps and sessions | Average Speed (km/h) |
pace | min/km | Not available for laps and sessions | Pace (min/km) |
powerAverage | W | Not available for laps and sessions | Power (W) |
cadenceAverage | 1/min | Not available for laps and sessions | Cadence (rpm) |
ascent | m | Not available for laps and sessions | Ascent (m) |
descent | m | Not available for laps and sessions | Descent (m) |
movementIntensityHighest5s | kicks/min | The highest increase in movement load over a 5 second window. Only available for exercise measurements. This is a Premium+ feature | Maximal Intensity Period MI 5s |
movementIntensityHighest10s | kicks/min | The highest increase in movement load over a 10 second window. Only available for exercise measurements. This is a Premium+ feature | Maximal Intensity Period MI 10s |
movementIntensityHighest15s | kicks/min | The highest increase in movement load over a 15 second window. Only available for exercise measurements. This is a Premium+ feature | Maximal Intensity Period MI 15s |
movementIntensityHighest20s | kicks/min | The highest increase in movement load over a 20 second window. Only available for exercise measurements. This is a Premium+ feature | Maximal Intensity Period MI 20s |
movementIntensityHighest30s | kicks/min | The highest increase in movement load over a 30 second window. Only available for exercise measurements. This is a Premium+ feature | Maximal Intensity Period MI 30s |
movementIntensityHighest45s | kicks/min | The highest increase in movement load over a 45 second window. Only available for exercise measurements. This is a Premium+ feature | Maximal Intensity Period MI 45s |
movementIntensityHighest1min | kicks/min | The highest increase in movement load over a 1 minute window. Only available for exercise measurements. This is a Premium+ feature | Maximal Intensity Period MI 1min |
movementIntensityHighest2min | kicks/min | The highest increase in movement load over a 2 minute window. Only available for exercise measurements. This is a Premium+ feature | Maximal Intensity Period MI 2min |
movementIntensityHighest3min | kicks/min | The highest increase in movement load over a 3 minute window. Only available for exercise measurements. This is a Premium+ feature | Maximal Intensity Period MI 3min |
movementIntensityHighest4min | kicks/min | The highest increase in movement load over a 4 minute window. Only available for exercise measurements. This is a Premium+ feature | Maximal Intensity Period MI 4min |
movementIntensityHighest5min | kicks/min | The highest increase in movement load over a 5 minute window. Only available for exercise measurements. This is a Premium+ feature | Maximal Intensity Period MI 5min |
movementIntensityHighest10min | kicks/min | The highest increase in movement load over a 10 minute window. Only available for exercise measurements. This is a Premium+ feature | Maximal Intensity Period MI 10min |
movementIntensityHighest15min | kicks/min | The highest increase in movement load over a 15 minute window. Only available for exercise measurements. This is a Premium+ feature | Maximal Intensity Period MI 15min |
movementIntensityHighest20min | kicks/min | The highest increase in movement load over a 20 minute window. Only available for exercise measurements. This is a Premium+ feature | Maximal Intensity Period MI 20min |
movementIntensityHighest30min | kicks/min | The highest increase in movement load over a 30 minute window. Only available for exercise measurements. This is a Premium+ feature | Maximal Intensity Period MI 30min |
movementIntensityHighest45min | kicks/min | The highest increase in movement load over a 45 minute window. Only available for exercise measurements. This is a Premium+ feature | Maximal Intensity Period MI 45min |
movementIntensityHighest1h | kicks/min | The highest increase in movement load over a 1 hour window. Only available for exercise measurements. This is a Premium+ feature | Maximal Intensity Period MI 1h |
movementIntensityHighest2h | kicks/min | The highest increase in movement load over a 2 hour window. Only available for exercise measurements. This is a Premium+ feature | Maximal Intensity Period MI 2h |
trimpPerMinHighest30s | 1/min | The highest increase in TRIMP (Training impulse) over a 30 second period. Only available for exercise measurements. This is a Premium+ feature | Maximal Intensity Period TRIMP/min 30s |
trimpPerMinHighest45s | 1/min | The highest increase in TRIMP (Training impulse) over a 45 second period. Only available for exercise measurements. This is a Premium+ feature | Maximal Intensity Period TRIMP/min 45s |
trimpPerMinHighest1min | 1/min | The highest increase in TRIMP (Training impulse) over a 1 minute period. Only available for exercise measurements. This is a Premium+ feature | Maximal Intensity Period TRIMP/min 1min |
trimpPerMinHighest2min | 1/min | The highest increase in TRIMP (Training impulse) over a 2 minute period. Only available for exercise measurements. This is a Premium+ feature | Maximal Intensity Period TRIMP/min 2min |
trimpPerMinHighest3min | 1/min | The highest increase in TRIMP (Training impulse) over a 3 minute period. Only available for exercise measurements. This is a Premium+ feature | Maximal Intensity Period TRIMP/min 3min |
trimpPerMinHighest4min | 1/min | The highest increase in TRIMP (Training impulse) over a 4 minute period. Only available for exercise measurements. This is a Premium+ feature | Maximal Intensity Period TRIMP/min 4min |
trimpPerMinHighest5min | 1/min | The highest increase in TRIMP (Training impulse) over a 5 minute period. Only available for exercise measurements. This is a Premium+ feature | Maximal Intensity Period TRIMP/min 5min |
trimpPerMinHighest10min | 1/min | The highest increase in TRIMP (Training impulse) over a 10 minute period. Only available for exercise measurements. This is a Premium+ feature | Maximal Intensity Period TRIMP/min 10min |
trimpPerMinHighest15min | 1/min | The highest increase in TRIMP (Training impulse) over a 15 minute period. Only available for exercise measurements. This is a Premium+ feature | Maximal Intensity Period TRIMP/min 15min |
trimpPerMinHighest20min | 1/min | The highest increase in TRIMP (Training impulse) over a 20 minute period. Only available for exercise measurements. This is a Premium+ feature | Maximal Intensity Period TRIMP/min 20min |
trimpPerMinHighest30min | 1/min | The highest increase in TRIMP (Training impulse) over a 30 minute period. Only available for exercise measurements. This is a Premium+ feature | Maximal Intensity Period TRIMP/min 30min |
trimpPerMinHighest45min | 1/min | The highest increase in TRIMP (Training impulse) over a 45 minute period. Only available for exercise measurements. This is a Premium+ feature | Maximal Intensity Period TRIMP/min 45min |
trimpPerMinHighest1h | 1/min | The highest increase in TRIMP (Training impulse) over a 1 hour period. Only available for exercise measurements. This is a Premium+ feature | Maximal Intensity Period TRIMP/min 1h |
trimpPerMinHighest2h | 1/min | The highest increase in TRIMP (Training impulse) over a 2 hour period. Only available for exercise measurements. This is a Premium+ feature | Maximal Intensity Period TRIMP/min 2h |
API variable name | Unit | Sampling Rate (Hz) | Type | Bits | Description |
---|---|---|---|---|---|
rmssd1MinSeries 1) | ms | 0.02 | Float | 64 | Time series data for Root Mean Square od Successive Differences (rmssd). Value to indicate quality of recovery. |
vlfSeries 1) | ms^2 | 1 | Float | 64 | Time series data for the mean of the very low frequency heart rate variability during the recorded measurement. |
lfSeries 1) | ms^2 | 1 | Float | 64 | Time series data for the mean of the low frequency heart rate variability during the recorded measurement. |
hfSeries 1) | ms^2 | 1 | Float | 64 | Time series data for the mean of the high frequency heart rate variability during the recorded measurement. |
artifactCorrectedRrVector 1) | ms | - | Float | 64 | Artifact corrected RR interval series which consists of values indicating time in milliseconds between consecutive R peaks. |
rriSeries 1) | ms | - | Unsigned | 16 | Uncorrected RR interval series which consists of values indicating time in milliseconds between consecutive R peaks. Not available for laps and sessions |
heartRateSeries | 1/min | 0.2 | Unsigned | 8 | The time series showing the momentary value of heart rate during the measurement. 5s sampling rate. |
heartRateSeries1s 1) | 1/min | 1 | Unsigned | 8 | The time series showing the momentary value of heart rate during the measurement. 1s sampling rate. |
heartRatePercentageSeries 1) | 1/min | 0.2 | Float | 64 | Heart rate percentage series. |
epocSeries | ml/kg | 0.2 | Float | 64 | The time series showing the momentary value of EPOC during the measurement. |
energyConsumptionSeries | kcal/h | 0.2 | Unsigned | 16 | The time series showing the momentary value of energy (kilocalorie) consumption rate as kcal/h during the measurement. |
trimpSeries | 0.2 | Float | 64 | The time series showing the momentary value of TRIMP during the measurement. | |
trimpPerMinuteSeries 1) | 1/min | 0.2 | Float | 64 | TRIMP time series. |
movementLoadAccumulationRate 1) | 1/min | 0.2 | Float | 64 | Time series for Movement Load Accumulation Rate. This is a Premium+ feature |
movementLoadSeries 1) | 0.2 | Float | 64 | Accumulated movement load. Not available for laps and sessions. This is a Premium+ feature | |
energyConsumptionRelativeFatSeries 1) | % | 0.2 | Unsigned | 8 | The relative share of total energy expenditure that comes from fats |
artifactPercentageSeries 1) | % | 0.2 | Unsigned | 8 | Percentage of rejected RR intervals within each 5 second period |
NOTE: TimeSeries variables marked with an 1) are not included by default in the response from /results
endpoints due to their data-heavy nature. To request them, use the ?var=
query parameter.
For example: .../results?var=trimpPerMinuteSeries,heartRatePercentageSeries
Register as a new API consumer using a name that uniquely and unambiguously identifies you or your organization
Created API Consumer object
consumerName required | string |
{- "id": "0df33d4b-f526-4040-ad6e-447589f810f5",
- "consumerName": "Firstbeat Technologies",
- "sharedSecret": "5e03d766-4d55-4c88-a011-f0785bccb671"
}
Retrieve a new shared secret that must be confirmed using /account/new-secret/confirm endpoint before it can be used for other purposes
Authorization required | string format: Bearer YOUR_TOKEN |
x-api-key required | string API key received from /account/api-key endpoint |
{- "sharedSecret": "4c70e131-8c81-49eb-a14f-c682c310767b"
}
Confirm your possession of a new shared secret and invalidate the previous shared secret
Authorization required | string Use the new shared secret to generate the token. Format: Bearer NEW_TOKEN |
x-api-key required | string API key received from /account/api-key endpoint |
Get Firstbeat Sports accounts linked to your API consumer
Authorization required | string format: Bearer YOUR_TOKEN |
x-api-key required | string API key received from /account/api-key endpoint |
{- "accounts": [
- {
- "accountId": "1-1",
- "name": "Some account",
- "authorizedBy": {
- "coachId": 362791
}
}
]
}
Get possible values for field sportsType in measurements and sessions
Authorization required | string format: Bearer YOUR_TOKEN |
x-api-key required | string API key received from /account/api-key endpoint |
[- "football",
- "americanFootball",
- "rugbySevens",
- "rugbyUnion",
- "rugbyLeague",
- "fieldHockey",
- "iceHockey",
- "ringette",
- "baseball",
- "basketball",
- "futsal",
- "volleyball",
- "beachVolleyball",
- "floorball",
- "handball",
- "lacrosse",
- "softball",
- "gaelicFootball",
- "australianFootball",
- "cricket",
- "tennis",
- "badminton",
- "squash",
- "ultimate",
- "trailRunning",
- "running",
- "treadmillRunning",
- "orienteering",
- "strength",
- "cardio",
- "xcSkiing",
- "biathlon",
- "roadCycling",
- "indoorCycling",
- "mountainBiking",
- "bmx",
- "alpineSkiing",
- "swimming",
- "walking",
- "nordicWalking",
- "snowboarding",
- "rowing",
- "mountaineering",
- "hiking",
- "multisport",
- "triathlon",
- "golf",
- "inlineSkating",
- "climbing",
- "iceSkating",
- "taekwondo"
]
Get possible values for field eventType in measurements and sessions
Authorization required | string format: Bearer YOUR_TOKEN |
x-api-key required | string API key received from /account/api-key endpoint |
[- "race",
- "game",
- "rehab",
- "recovery",
- "training"
]
Get athletes that belong to the specified account
accountId required | string Id of the account |
offset | number Skip a number of first items in the response |
Authorization required | string format: Bearer YOUR_TOKEN |
x-api-key required | string API key received from /account/api-key endpoint |
{- "more": false,
- "athletes": [
- {
- "athleteId": 356255,
- "firstName": "John",
- "lastName": "Doe",
- "email": "john.doe@example.com"
}
]
}
Get athlete
accountId required | string Id of the account |
athleteId required | integer Id of the athlete |
Authorization required | string format: Bearer YOUR_TOKEN |
x-api-key required | string API key received from /account/api-key endpoint |
{- "athleteId": 356255,
- "firstName": "John",
- "lastName": "Doe",
- "email": "john.doe@example.com"
}
List all measurements of an athlete
accountId required | string Id of the account |
athleteId required | integer Id of the athlete |
fromTime | string <date-time> Limit the response to measurements that start earliest at specified time |
toTime | string <date-time> Limit the response to measurements that start before specified time |
exerciseType | string Limit the response to measurements of specified exercise type, also known as title |
measurementType | string Enum: "exercise" "quickRecoveryTest" "night" "manual" Limit the response to measurements of specified measurement type |
sportsType | string Limit the response to measurements of specified sports. To make a single query for more than one sports, pass them as a comma-separated list. See Sports Type and Event Type for possible values. |
eventType | string Limit the response to measurements from a specific type of event. To make a single query for more than one event type, pass them as a comma-separated list. See Sports Type and Event Type for possible values. |
offset | number Skip a number of first items in the response |
includeLaps | boolean Include laps in the response |
Authorization required | string format: Bearer YOUR_TOKEN |
x-api-key required | string API key received from /account/api-key endpoint |
{- "more": false,
- "measurements": [
- {
- "measurementId": 3397522,
- "athleteId": 356262,
- "sessionId": 41289,
- "startTime": "2015-09-25T07:47:26Z",
- "endTime": "2015-09-25T08:33:12Z",
- "measurementType": "exercise",
- "exerciseType": "Morning exercise",
- "sportsType": "running",
- "eventType": "training",
- "notes": "Thirty minutes of interval training",
- "laps": [
- {
- "lapId": 864843,
- "name": "2nd interval",
- "startTime": "2015-09-25T07:50:32Z",
- "endTime": "2015-09-25T07:52:30Z"
}
]
}
]
}
Get athlete measurement results
accountId required | string Id of the account |
athleteId required | integer Id of the athlete |
measurementId required | integer Id of the measurement |
var | string Specify names of requested variables in a comma-separated string |
format | string Enum: "binary" "list" Request time series either as binary data or JSON lists of numbers |
Authorization required | string format: Bearer YOUR_TOKEN |
x-api-key required | string API key received from /account/api-key endpoint |
{- "athleteId": 356262,
- "measurementId": 3397522,
- "sessionId": 41,
- "startTime": "2015-09-25T07:47:26Z",
- "endTime": "2015-09-25T08:33:12Z",
- "measurementType": "exercise",
- "exerciseType": "Morning exercise",
- "sportsType": "running",
- "eventType": "training",
- "notes": "Thirty minutes of interval training",
- "variables": [
- {
- "name": "energyConsumptionTotal",
- "unit": "kcal",
- "value": 49.57954406738281
}
]
}
Get analysis results for lap in athlete's measurement
accountId required | string Id of the account |
athleteId required | integer Id of the athlete |
measurementId required | integer Id of the measurement |
lapId required | integer Id of the lap |
var | string Specify names of requested variables in a comma-separated string |
format | string Enum: "binary" "list" Request time series either as binary data or JSON lists of numbers |
Authorization required | string format: Bearer YOUR_TOKEN |
x-api-key required | string API key received from /account/api-key endpoint |
{- "athleteId": 77013,
- "measurementId": 3397522,
- "sessionId": 41,
- "lapId": 864843,
- "name": "2nd interval",
- "startTime": "2015-09-25T07:50:32Z",
- "endTime": "2015-09-25T07:52:30Z",
- "measurementType": "exercise",
- "exerciseType": "Morning exercise",
- "sportsType": "running",
- "eventType": "training",
- "notes": "Thirty minutes of interval training",
- "variables": [
- {
- "name": "energyConsumptionTotal",
- "unit": "kcal",
- "value": 49.57954406738281
}
]
}
Get all coaches in an account
accountId required | string Id of the account |
offset | number Skip a number of first items in the response |
Authorization required | string format: Bearer YOUR_TOKEN |
x-api-key required | string API key received from /account/api-key endpoint |
{- "more": false,
- "coaches": [
- {
- "coachId": 362791,
- "firstName": "Some",
- "lastName": "Coach",
- "email": "some.coach@example.com"
}
]
}
Get coach info
accountId required | string Id of the account |
coachId required | integer Id of the coach |
Authorization required | string format: Bearer YOUR_TOKEN |
x-api-key required | string API key received from /account/api-key endpoint |
{- "coachId": 362791,
- "firstName": "Some",
- "lastName": "Coach",
- "email": "some.coach@example.com"
}
Get all teams and groups in an account
accountId required | string Id of the account |
offset | number Skip a number of first items in the response |
Authorization required | string format: Bearer YOUR_TOKEN |
x-api-key required | string API key received from /account/api-key endpoint |
{- "more": false,
- "teams": [
- {
- "teamId": 1786,
- "name": "A great team",
- "athleteIds": [
- 356262
], - "groups": [
- {
- "groupId": 1902,
- "name": "Some group",
- "athleteIds": [
- 356301
]
}
]
}
]
}
Get team and its groups
accountId required | string Id of the account |
teamId required | integer Id of the team/group |
Authorization required | string format: Bearer YOUR_TOKEN |
x-api-key required | string API key received from /account/api-key endpoint |
{- "teamId": 1786,
- "name": "A great team",
- "athleteIds": [
- 356262
], - "groups": [
- {
- "groupId": 1902,
- "name": "Some group",
- "athleteIds": [
- 356301
]
}
]
}
Get all athletes in a team or group
accountId required | string Id of the account |
teamId required | integer Id of the team or group |
offset | number Skip a number of first items in the response |
Authorization required | string format: Bearer YOUR_TOKEN |
x-api-key required | string API key received from /account/api-key endpoint |
{- "more": false,
- "athletes": [
- {
- "athleteId": 356255,
- "firstName": "John",
- "lastName": "Doe",
- "email": "john.doe@example.com"
}
]
}
Get all sessions of a team or group
accountId required | string Id of the account |
teamId required | integer Id of the team or group |
offset | number Skip a number of first items in the response |
fromTime | string <date-time> Limit the response to sessions that start earliest at specified time |
toTime | string <date-time> Limit the response to sessions that start before specified time |
type | string Limit the response to sessions of specified type, also known as title |
sportsType | string Limit the response to measurements of specified sports. To make a single query for more than one sports, pass them as a comma-separated list. See Sports Type and Event Type for possible values. |
eventType | string Limit the response to measurements from a specific type of event. To make a single query for more than one event type, pass them as a comma-separated list. See Sports Type and Event Type for possible values. |
includeLaps | boolean Include laps in the response |
Authorization required | string format: Bearer YOUR_TOKEN |
x-api-key required | string API key received from /account/api-key endpoint |
{- "more": false,
- "sessions": [
- {
- "sessionId": 41,
- "coachId": 371,
- "startTime": "2015-09-25T07:47:26Z",
- "endTime": "2015-09-25T08:33:12Z",
- "sessionType": "Morning exercise",
- "sportsType": "running",
- "eventType": "training",
- "notes": "Thirty minutes of interval training",
- "athleteIds": [
- 356361
], - "laps": [
- {
- "lapId": 864843,
- "name": "2nd interval",
- "startTime": "2015-09-25T07:50:32Z",
- "endTime": "2015-09-25T07:52:30Z",
- "athleteIds": [
- 356361
]
}
]
}
]
}
Get session results
accountId required | string Id of the account |
teamId required | integer Id of the team/group |
sessionId required | integer Id of the session |
var | string Specify names of requested variables in a comma-separated string |
format | string Enum: "binary" "list" Request time series either as binary data or JSON lists of numbers |
Authorization required | string format: Bearer YOUR_TOKEN |
x-api-key required | string API key received from /account/api-key endpoint |
{- "measurements": [
- {
- "athleteId": 77013,
- "sessionId": 41189,
- "measurementId": 3397522,
- "startTime": "2015-09-25T07:47:26Z",
- "endTime": "2015-09-25T08:33:12Z",
- "exerciseType": "Morning exercise",
- "sportsType": "running",
- "eventType": "training",
- "notes": "Thirty minutes of interval training",
- "variables": [
- {
- "name": "energyConsumptionTotal",
- "unit": "kcal",
- "value": 49.57954406738281
}
]
}
]
}
Get session lap results
accountId required | string Id of the account |
teamId required | integer Id of the team/group |
sessionId required | integer Id of the session |
lapId required | integer Id of the lap |
var | string Specify names of requested variables in a comma-separated string |
format | string Enum: "binary" "list" Request time series either as binary data or JSON lists of numbers |
Authorization required | string format: Bearer YOUR_TOKEN |
x-api-key required | string API key received from /account/api-key endpoint |
{- "measurements": [
- {
- "sessionId": 41189,
- "lapId": 864843,
- "athleteId": 77013,
- "measurementId": 3397522,
- "name": "2nd interval",
- "startTime": "2015-09-25T07:50:32Z",
- "endTime": "2015-09-25T07:52:30Z",
- "exerciseType": "Morning exercise",
- "sportsType": "running",
- "eventType": "training",
- "notes": "Thirty minutes of interval training",
- "variables": [
- {
- "name": "energyConsumptionTotal",
- "unit": "kcal",
- "value": 49.57954406738281
}
]
}
]
}