Integracia API zatazoveho testovania

Tento navod vysvetluje, ako pouzivat LoadFocus API Client, ci uz cez rozhranie prikazoveho riadku (CLI) alebo priamym pouzitim JavaScript kniznice vo vasich aplikaciach.

Obsah

Instalacia

Globalna instalacia

npm install -g @loadfocus/loadfocus-api-client

Lokalna instalacia do projektu

npm install @loadfocus/loadfocus-api-client

Konfiguracia

Pred pouzitim LoadFocus API Client musite nakonfigurovat vase API poverenia.

Konfiguracia CLI

# Set API key and team ID
loadfocus-api config set apikey YOUR_API_KEY
loadfocus-api config set teamid YOUR_TEAM_ID
# Verify configuration
loadfocus-api config show

Konfiguracia JavaScript

const { configManager } = require('@loadfocus/loadfocus-api-client');
// Set configuration
configManager.set('apikey', 'YOUR_API_KEY');
configManager.set('teamid', 'YOUR_TEAM_ID');
// Verify configuration
console.log(configManager.get('apikey')); // Should print your API key
console.log(configManager.isConfigured()); // Should print true if all required config is set

Rozhranie prikazoveho riadku (CLI)

LoadFocus API Client poskytuje komplexne CLI na interakciu s LoadFocus API.

Spustenie testu JMeter

Spustenie testu

# Execute a test by name
loadfocus-api jmeter execute --name "My JMeter Test"
# Execute a test with specific parameters
loadfocus-api jmeter execute --name "My JMeter Test" --threads 50 --rampup 30 --duration 300

Spustenie testu a cakanie na dokoncenie

# Run a test and wait for completion
loadfocus-api jmeter run-test --name "My JMeter Test"
# Run a test with thresholds
loadfocus-api jmeter run-test --name "My JMeter Test" --thresholds "avgresponse<=200,errors==0,p95<=250"
# Run a test with custom timeout and polling interval
loadfocus-api jmeter run-test --name "My JMeter Test" --waitTimeout 1800 --pollInterval 15

Monitorovanie stavu testu

# Check status of a test by name and ID
loadfocus-api jmeter status --name "My JMeter Test" --id 12345
# Get a list of recent test runs
loadfocus-api jmeter runs --limit 10

Ziskanie vysledkov

# Get results for a specific test
loadfocus-api jmeter results --name "My JMeter Test" --id 12345
# Get results with specific metrics
loadfocus-api jmeter results --name "My JMeter Test" --id 12345 --include samples,avgresponse,errors

Praca s prahmi

Prikaz run-test podporuje vyhodnocovanie prahov na automaticke urcenie, ci test presiel alebo zlyhal na zaklade metrik vykonnosti.

# Run a test with multiple thresholds
loadfocus-api jmeter run-test --name "My JMeter Test" --thresholds "avgresponse<=200,errors==0,p95<=250,hitspersec>=10"

Podporovane operatory prahov:

  • <= - Mensie alebo rovne
  • < - Mensie nez
  • >= - Vacsie alebo rovne
  • > - Vacsie nez
  • == - Rovne
  • != - Nerovne

Formaty vystupu

# Get results in JSON format
loadfocus-api jmeter run-test --name "My JMeter Test" --format json > results.json
# Default pretty-printed output
loadfocus-api jmeter run-test --name "My JMeter Test"

Pouzitie JavaScript kniznice

LoadFocus API Client sa da tiez pouzit priamo ako JavaScript kniznica vo vasich aplikaciach.

Zakladne nastavenie

// Import the LoadFocus API Client
const loadfocus = require('@loadfocus/loadfocus-api-client');
// Access specific components
const { JMeterClient, configManager } = loadfocus;

JMeter Client

// Create a JMeter client
const jmeterClient = new loadfocus.JMeterClient();
// Or with explicit configuration
const jmeterClient = new loadfocus.JMeterClient({
apikey: 'YOUR_API_KEY',
teamid: 'YOUR_TEAM_ID'
});

Spustanie testov

async function executeTest() {
try {
const result = await jmeterClient.execute({
testrunname: 'My JMeter Test',
threads: 50,
rampup: 30,
duration: 300
});
console.log('Test execution started:', result);
return result.testrunid; // Return the test ID for later use
} catch (error) {
console.error('Error executing test:', error);
}
}

Monitorovanie stavu testu

async function checkTestStatus(testName, testId) {
try {
const status = await jmeterClient.getStatus({
testrunname: testName,
testrunid: testId
});
console.log('Test status:', status);
return status.state; // Return the current state
} catch (error) {
console.error('Error checking test status:', error);
}
}

Ziskavanie vysledkov

async function getTestResults(testName, testId) {
try {
// Get available labels for the test
const labels = await jmeterClient.getLabels({
testrunname: testName,
testrunid: testId
});
console.log('Test labels:', labels);
// Get results for each label
const allResults = [];
for (const label of labels) {
const labelResults = await jmeterClient.getResults({
testrunname: testName,
testrunid: testId,
filter: label
});
allResults.push({
label,
results: labelResults
});
}
console.log('Test results:', allResults);
return allResults;
} catch (error) {
console.error('Error retrieving test results:', error);
}
}

Uplny priklad

Tu je uplny priklad, ktory spusti test, pocka na dokoncenie a ziska vysledky:

const { JMeterClient, configManager } = require('@loadfocus/loadfocus-api-client');
// Set up configuration
configManager.set('apikey', 'YOUR_API_KEY');
configManager.set('teamid', 'YOUR_TEAM_ID');
// Create client
const jmeterClient = new JMeterClient();
async function runCompleteTest() {
try {
// Execute the test
console.log('Executing test...');
const executeResult = await jmeterClient.execute({
testrunname: 'My JMeter Test'
});
const testId = executeResult.testrunid;
console.log(`Test execution started with ID: ${testId}`);
// Wait for completion
console.log('Waiting for test to complete...');
let completed = false;
while (!completed) {
const status = await jmeterClient.getStatus({
testrunname: 'My JMeter Test',
testrunid: testId
});
console.log(`Current state: ${status.state}`);
if (status.state === 'finished') {
completed = true;
} else if (status.state === 'failed' || status.state === 'error') {
throw new Error(`Test failed with state: ${status.state}`);
} else {
// Wait before checking again
await new Promise(resolve => setTimeout(resolve, 10000));
}
}
// Get results
console.log('Getting test results...');
const labels = await jmeterClient.getLabels({
testrunname: 'My JMeter Test',
testrunid: testId
});
const allResults = [];
for (const label of labels) {
const labelResults = await jmeterClient.getResults({
testrunname: 'My JMeter Test',
testrunid: testId,
filter: label
});
allResults.push({
label,
results: labelResults
});
}
console.log('Test results:', JSON.stringify(allResults, null, 2));
return allResults;
} catch (error) {
console.error('Error running test:', error);
}
}
// Run the test
runCompleteTest();

Pokrocile pouzitie

Vlastna HTTP konfiguracia

Mozete prisposobit HTTP klienta pouzivaneho LoadFocus API Client:

const { JMeterClient } = require('@loadfocus/loadfocus-api-client');
// Create client with custom HTTP options
const jmeterClient = new JMeterClient({
apikey: 'YOUR_API_KEY',
teamid: 'YOUR_TEAM_ID',
httpOptions: {
timeout: 30000, // 30 seconds
retries: 3,
headers: {
'User-Agent': 'My Custom Application'
}
}
});

Spracovanie chyb

LoadFocus API Client poskytuje podrobne informacie o chybach:

try {
const result = await jmeterClient.execute({
testrunname: 'My JMeter Test'
});
} catch (error) {
if (error.response) {
// The request was made and the server responded with a status code
// that falls out of the range of 2xx
console.error('API Error:', error.response.status, error.response.data);
} else if (error.request) {
// The request was made but no response was received
console.error('Network Error:', error.request);
} else {
// Something happened in setting up the request that triggered an Error
console.error('Request Error:', error.message);
}
}

Riesenie problemov

Bezne problemy

  1. Chyby autentifikacie:

    • Uistite sa, ze vas API kluc a team ID su spravne nakonfigurovane
    • Skontrolujte, ci ma vas API kluc potrebne povolenia
  2. Zlyhania spustenia testu:

    • Overte, ze nazov testu existuje vo vasom ucte LoadFocus
    • Skontrolujte, ci ste dosiahli limit sucasnych testov vasho uctu
  3. Problemy s casom:

    • Pre dlhotrvajuce testy zvyste parameter waitTimeout
    • Zvazite implementaciu mechanizmu pollingu namiesto synchronneho cakania
  4. Problemy so ziskavanim vysledkov:

    • Uistite sa, ze test bol dokonceny pred ziskavanim vysledkov
    • Skontrolujte, ci je ID testu spravne

Ladenie

Povolte debug logovanie pre podrobnejsie informacie:

// In your JavaScript code
process.env.DEBUG = 'true';
// Or when using the CLI
DEBUG=true loadfocus-api jmeter run-test --name "My JMeter Test"

Pre dalsiu pomoc pozrite dokumentaciu LoadFocus API alebo kontaktujte podporu.