• Home
  • Features
  • Pricing
  • Docs
  • Announcements
  • Sign In

mendersoftware / gui / 897326496

pending completion
897326496

Pull #3752

gitlab-ci

mzedel
chore(e2e): made use of shared timeout & login checking values to remove code duplication

Signed-off-by: Manuel Zedel <manuel.zedel@northern.tech>
Pull Request #3752: chore(e2e-tests): slightly simplified log in test + separated log out test

4395 of 6392 branches covered (68.76%)

8060 of 9780 relevant lines covered (82.41%)

126.17 hits per line

Source File
Press 'n' to go to next uncovered line, 'b' for previous

91.65
/src/js/helpers.js
1
// Copyright 2017 Northern.tech AS
2
//
3
//    Licensed under the Apache License, Version 2.0 (the "License");
4
//    you may not use this file except in compliance with the License.
5
//    You may obtain a copy of the License at
6
//
7
//        http://www.apache.org/licenses/LICENSE-2.0
8
//
9
//    Unless required by applicable law or agreed to in writing, software
10
//    distributed under the License is distributed on an "AS IS" BASIS,
11
//    WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
12
//    See the License for the specific language governing permissions and
13
//    limitations under the License.
14
import React from 'react';
15

16
import jwtDecode from 'jwt-decode';
17
import pluralize from 'pluralize';
18

19
import { getToken } from './auth';
20
import {
21
  DEPLOYMENT_STATES,
22
  defaultStats,
23
  deploymentDisplayStates,
24
  deploymentStatesToSubstates,
25
  deploymentStatesToSubstatesWithSkipped
26
} from './constants/deploymentConstants';
27
import { ATTRIBUTE_SCOPES, DEVICE_FILTERING_OPTIONS } from './constants/deviceConstants';
28

29
const isEncoded = uri => {
190✔
30
  uri = uri || '';
8✔
31
  return uri !== decodeURIComponent(uri);
8✔
32
};
33

34
export const fullyDecodeURI = uri => {
190✔
35
  while (isEncoded(uri)) {
6✔
36
    uri = decodeURIComponent(uri);
2✔
37
  }
38
  return uri;
6✔
39
};
40

41
export const groupDeploymentDevicesStats = deployment => {
190✔
42
  const deviceStatCollector = (deploymentStates, devices) =>
2✔
43
    Object.values(devices).reduce((accu, device) => (deploymentStates.includes(device.status) ? accu + 1 : accu), 0);
55✔
44

45
  const inprogress = deviceStatCollector(deploymentStatesToSubstates.inprogress, deployment.devices);
2✔
46
  const pending = deviceStatCollector(deploymentStatesToSubstates.pending, deployment.devices);
2✔
47
  const successes = deviceStatCollector(deploymentStatesToSubstates.successes, deployment.devices);
2✔
48
  const failures = deviceStatCollector(deploymentStatesToSubstates.failures, deployment.devices);
2✔
49
  const paused = deviceStatCollector(deploymentStatesToSubstates.paused, deployment.devices);
2✔
50
  return { inprogress, paused, pending, successes, failures };
2✔
51
};
52

53
export const statCollector = (items, statistics) => items.reduce((accu, property) => accu + Number(statistics[property] || 0), 0);
33,043✔
54
export const groupDeploymentStats = (deployment, withSkipped) => {
190✔
55
  const { statistics = {} } = deployment;
2,533✔
56
  const { status = {} } = statistics;
2,533✔
57
  const stats = { ...defaultStats, ...status };
2,533✔
58
  let groupStates = deploymentStatesToSubstates;
2,533✔
59
  let result = {};
2,533✔
60
  if (withSkipped) {
2,533✔
61
    groupStates = deploymentStatesToSubstatesWithSkipped;
1,241✔
62
    result.skipped = statCollector(groupStates.skipped, stats);
1,241✔
63
  }
64
  result = {
2,533✔
65
    ...result,
66
    // don't include 'pending' as inprogress, as all remaining devices will be pending - we don't discriminate based on phase membership
67
    inprogress: statCollector(groupStates.inprogress, stats),
68
    pending: (deployment.max_devices ? deployment.max_devices - deployment.device_count : 0) + statCollector(groupStates.pending, stats),
2,533✔
69
    successes: statCollector(groupStates.successes, stats),
70
    failures: statCollector(groupStates.failures, stats),
71
    paused: statCollector(groupStates.paused, stats)
72
  };
73
  return result;
2,533✔
74
};
75

76
export const getDeploymentState = deployment => {
190✔
77
  const { status: deploymentStatus = DEPLOYMENT_STATES.pending } = deployment;
1,274✔
78
  const { inprogress: currentProgressCount, paused } = groupDeploymentStats(deployment);
1,274✔
79

80
  let status = deploymentDisplayStates[deploymentStatus];
1,274✔
81
  if (deploymentStatus === DEPLOYMENT_STATES.pending && currentProgressCount === 0) {
1,274✔
82
    status = 'queued';
635✔
83
  } else if (paused > 0) {
639!
84
    status = deploymentDisplayStates.paused;
×
85
  }
86
  return status;
1,274✔
87
};
88

89
export const decodeSessionToken = token => {
190✔
90
  try {
8✔
91
    var decoded = jwtDecode(token);
8✔
92
    return decoded.sub;
2✔
93
  } catch (err) {
94
    //console.log(err);
95
    return;
6✔
96
  }
97
};
98

99
export const isEmpty = obj => {
190✔
100
  for (const _ in obj) {
577✔
101
    return false;
171✔
102
  }
103
  return true;
406✔
104
};
105

106
export const extractErrorMessage = (err, fallback = '') =>
190✔
107
  err.response?.data?.error?.message || err.response?.data?.error || err.error || err.message || fallback;
5!
108

109
export const preformatWithRequestID = (res, failMsg) => {
190✔
110
  // ellipsis line
111
  if (failMsg.length > 100) failMsg = `${failMsg.substring(0, 220)}...`;
9✔
112

113
  try {
9✔
114
    if (res?.data && Object.keys(res.data).includes('request_id')) {
9✔
115
      let shortRequestUUID = res.data['request_id'].substring(0, 8);
2✔
116
      return `${failMsg} [Request ID: ${shortRequestUUID}]`;
2✔
117
    }
118
  } catch (e) {
119
    console.log('failed to extract request id:', e);
×
120
  }
121
  return failMsg;
7✔
122
};
123

124
export const versionCompare = (v1, v2) => {
190✔
125
  const partsV1 = `${v1}`.split('.');
15✔
126
  const partsV2 = `${v2}`.split('.');
15✔
127
  for (let index = 0; index < partsV1.length; index++) {
15✔
128
    const numberV1 = partsV1[index];
20✔
129
    const numberV2 = partsV2[index];
20✔
130
    if (numberV1 > numberV2) {
20✔
131
      return 1;
10✔
132
    }
133
    if (numberV2 > numberV1) {
10✔
134
      return -1;
4✔
135
    }
136
  }
137
  return 0;
1✔
138
};
139

140
/*
141
 *
142
 * Deep compare
143
 *
144
 */
145
// eslint-disable-next-line sonarjs/cognitive-complexity
146
export function deepCompare() {
147
  var i, l, leftChain, rightChain;
148

149
  function compare2Objects(x, y) {
150
    var p;
151

152
    // remember that NaN === NaN returns false
153
    // and isNaN(undefined) returns true
154
    if (isNaN(x) && isNaN(y) && typeof x === 'number' && typeof y === 'number') {
207!
155
      return true;
×
156
    }
157

158
    // Compare primitives and functions.
159
    // Check if both arguments link to the same object.
160
    // Especially useful on the step where we compare prototypes
161
    if (x === y) {
207✔
162
      return true;
78✔
163
    }
164

165
    // Works in case when functions are created in constructor.
166
    // Comparing dates is a common scenario. Another built-ins?
167
    // We can even handle functions passed across iframes
168
    if (
129!
169
      (typeof x === 'function' && typeof y === 'function') ||
646!
170
      (x instanceof Date && y instanceof Date) ||
171
      (x instanceof RegExp && y instanceof RegExp) ||
172
      (x instanceof String && y instanceof String) ||
173
      (x instanceof Number && y instanceof Number)
174
    ) {
175
      return x.toString() === y.toString();
×
176
    }
177

178
    // At last checking prototypes as good as we can
179
    if (!(x instanceof Object && y instanceof Object)) {
129✔
180
      return false;
8✔
181
    }
182

183
    if (x.isPrototypeOf(y) || y.isPrototypeOf(x)) {
121!
184
      return false;
×
185
    }
186

187
    if (x.constructor !== y.constructor) {
121!
188
      return false;
×
189
    }
190

191
    if (x.prototype !== y.prototype) {
121!
192
      return false;
×
193
    }
194

195
    // Check for infinitive linking loops
196
    if (leftChain.indexOf(x) > -1 || rightChain.indexOf(y) > -1) {
121!
197
      return false;
×
198
    }
199

200
    // Quick checking of one object being a subset of another.
201
    // todo: cache the structure of arguments[0] for performance
202
    for (p in y) {
121✔
203
      if (y.hasOwnProperty(p) !== x.hasOwnProperty(p) || typeof y[p] !== typeof x[p]) {
453✔
204
        return false;
42✔
205
      }
206
    }
207

208
    for (p in x) {
79✔
209
      if (y.hasOwnProperty(p) !== x.hasOwnProperty(p) || typeof y[p] !== typeof x[p]) {
213✔
210
        return false;
8✔
211
      }
212

213
      switch (typeof x[p]) {
205✔
214
        case 'object':
215
        case 'function':
216
          leftChain.push(x);
87✔
217
          rightChain.push(y);
87✔
218

219
          if (!compare2Objects(x[p], y[p])) {
87✔
220
            return false;
10✔
221
          }
222

223
          leftChain.pop();
77✔
224
          rightChain.pop();
77✔
225
          break;
77✔
226

227
        default:
228
          if (x[p] !== y[p]) {
118✔
229
            return false;
8✔
230
          }
231
          break;
110✔
232
      }
233
    }
234

235
    return true;
53✔
236
  }
237

238
  if (arguments.length < 1) {
118!
239
    return true; //Die silently? Don't know how to handle such case, please help...
×
240
    // throw "Need two or more arguments to compare";
241
  }
242

243
  for (i = 1, l = arguments.length; i < l; i++) {
118✔
244
    leftChain = []; //Todo: this can be cached
120✔
245
    rightChain = [];
120✔
246

247
    if (!compare2Objects(arguments[0], arguments[i])) {
120✔
248
      return false;
66✔
249
    }
250
  }
251

252
  return true;
52✔
253
}
254

255
export const stringToBoolean = content => {
190✔
256
  if (!content) {
236✔
257
    return false;
211✔
258
  }
259
  const string = content + '';
25✔
260
  switch (string.trim().toLowerCase()) {
25✔
261
    case 'true':
262
    case 'yes':
263
    case '1':
264
      return true;
21✔
265
    case 'false':
266
    case 'no':
267
    case '0':
268
    case null:
269
      return false;
3✔
270
    default:
271
      return Boolean(string);
1✔
272
  }
273
};
274

275
export const toggle = current => !current;
190✔
276

277
export const formatTime = date => {
190✔
278
  if (date && Object.prototype.toString.call(date) === '[object Date]' && !isNaN(date)) {
59✔
279
    return date.toISOString().slice(0, -1);
1✔
280
  } else if (date) {
58✔
281
    return date.replace(' ', 'T').replace(/ /g, '').replace('UTC', '');
50✔
282
  }
283
};
284

285
export const customSort = (direction, field) => (a, b) => {
687✔
286
  if (typeof a[field] === 'string') {
138,543✔
287
    const result = a[field].localeCompare(b[field], { sensitivity: 'case' });
138,495✔
288
    return direction ? result * -1 : result;
138,495✔
289
  }
290
  if (a[field] > b[field]) return direction ? -1 : 1;
48!
291
  if (a[field] < b[field]) return direction ? 1 : -1;
38!
292
  return 0;
1✔
293
};
294

295
export const duplicateFilter = (item, index, array) => array.indexOf(item) == index;
1,643✔
296

297
export const attributeDuplicateFilter = (filterableArray, attributeName = 'key') =>
190!
298
  filterableArray.filter(
5✔
299
    (item, index, array) => array.findIndex(filter => filter[attributeName] === item[attributeName] && filter.scope === item.scope) == index
219✔
300
  );
301

302
export const unionizeStrings = (someStrings, someOtherStrings) => {
190✔
303
  const startingPoint = new Set(someStrings.filter(item => item.length));
24✔
304
  const uniqueStrings = someOtherStrings.length
24✔
305
    ? someOtherStrings.reduce((accu, item) => {
306
        if (item.trim().length) {
33✔
307
          accu.add(item.trim());
14✔
308
        }
309
        return accu;
33✔
310
      }, startingPoint)
311
    : startingPoint;
312
  return [...uniqueStrings];
24✔
313
};
314

315
export const generateDeploymentGroupDetails = (filter, groupName) =>
190✔
316
  filter && filter.terms?.length
3✔
317
    ? `${groupName} (${filter.terms
318
        .map(filter => `${filter.attribute || filter.key} ${DEVICE_FILTERING_OPTIONS[filter.type || filter.operator].shortform} ${filter.value}`)
4✔
319
        .join(', ')})`
320
    : groupName;
321

322
export const tryMapDeployments = (accu, id) => {
190✔
323
  if (accu.state.deployments.byId[id]) {
639✔
324
    accu.deployments.push(accu.state.deployments.byId[id]);
638✔
325
  }
326
  return accu;
639✔
327
};
328

329
export const mapDeviceAttributes = (attributes = []) =>
190✔
330
  attributes.reduce(
121✔
331
    (accu, attribute) => {
332
      if (!(attribute.value && attribute.name) && attribute.scope === ATTRIBUTE_SCOPES.inventory) {
1,326!
333
        return accu;
×
334
      }
335
      accu[attribute.scope || ATTRIBUTE_SCOPES.inventory] = {
1,326✔
336
        ...accu[attribute.scope || ATTRIBUTE_SCOPES.inventory],
1,332✔
337
        [attribute.name]: attribute.value
338
      };
339
      if (attribute.name === 'device_type' && attribute.scope === ATTRIBUTE_SCOPES.inventory) {
1,326✔
340
        accu.inventory.device_type = [].concat(attribute.value);
64✔
341
      }
342
      return accu;
1,326✔
343
    },
344
    { inventory: { device_type: [], artifact_name: '' }, identity: {}, monitor: {}, system: {}, tags: {} }
345
  );
346

347
export const getFormattedSize = bytes => {
190✔
348
  const suffixes = ['Bytes', 'KB', 'MB', 'GB'];
72✔
349
  const i = Math.floor(Math.log(bytes) / Math.log(1024));
72✔
350
  if (!bytes) {
72✔
351
    return '0 Bytes';
16✔
352
  }
353
  return `${(bytes / Math.pow(1024, i)).toFixed(2)} ${suffixes[i]}`;
56✔
354
};
355

356
export const FileSize = React.forwardRef(({ fileSize, style }, ref) => (
190✔
357
  <div ref={ref} style={style}>
63✔
358
    {getFormattedSize(fileSize)}
359
  </div>
360
));
361
FileSize.displayName = 'FileSize';
190✔
362

363
const collectAddressesFrom = devices =>
190✔
364
  devices.reduce((collector, { attributes = {} }) => {
7!
365
    const ips = Object.entries(attributes).reduce((accu, [name, value]) => {
17✔
366
      if (name.startsWith('ipv4')) {
43✔
367
        if (Array.isArray(value)) {
12!
368
          const texts = value.map(text => text.slice(0, text.indexOf('/')));
×
369
          accu.push(...texts);
×
370
        } else {
371
          const text = value.slice(0, value.indexOf('/'));
12✔
372
          accu.push(text);
12✔
373
        }
374
      }
375
      return accu;
43✔
376
    }, []);
377
    collector.push(...ips);
17✔
378
    return collector;
17✔
379
  }, []);
380

381
export const getDemoDeviceAddress = (devices, onboardingApproach) => {
190✔
382
  const defaultVitualizedIp = '10.0.2.15';
7✔
383
  const addresses = collectAddressesFrom(devices);
7✔
384
  const address = addresses.reduce((accu, item) => {
7✔
385
    if (accu && item === defaultVitualizedIp) {
12!
386
      return accu;
×
387
    }
388
    return item;
12✔
389
  }, null);
390
  if (!address || (onboardingApproach === 'virtual' && (navigator.appVersion.indexOf('Win') != -1 || navigator.appVersion.indexOf('Mac') != -1))) {
7✔
391
    return 'localhost';
1✔
392
  }
393
  return address;
6✔
394
};
395

396
export const detectOsIdentifier = () => {
190✔
397
  if (navigator.appVersion.indexOf('Win') != -1) return 'Windows';
3!
398
  if (navigator.appVersion.indexOf('Mac') != -1) return 'MacOs';
3✔
399
  if (navigator.appVersion.indexOf('X11') != -1) return 'Unix';
2!
400
  return 'Linux';
2✔
401
};
402

403
export const getRemainderPercent = phases => {
190✔
404
  // remove final phase size if set
405
  phases[phases.length - 1].batch_size = null;
79✔
406
  // use this to get remaining percent of final phase so we don't set a hard number
407
  return phases.reduce((accu, phase) => (phase.batch_size ? accu - phase.batch_size : accu), 100);
211✔
408
};
409

410
export const validatePhases = (phases, deploymentDeviceCount, hasFilter) => {
190✔
411
  if (!phases?.length) {
36✔
412
    return true;
11✔
413
  }
414
  const remainder = getRemainderPercent(phases);
25✔
415
  return phases.reduce((accu, phase) => {
25✔
416
    if (!accu) {
66✔
417
      return accu;
5✔
418
    }
419
    const deviceCount = Math.floor((deploymentDeviceCount / 100) * (phase.batch_size || remainder));
61✔
420
    return deviceCount >= 1 || hasFilter;
61✔
421
  }, true);
422
};
423

424
export const getPhaseDeviceCount = (numberDevices = 1, batchSize, remainder, isLastPhase) =>
190✔
425
  isLastPhase ? Math.ceil((numberDevices / 100) * (batchSize || remainder)) : Math.floor((numberDevices / 100) * (batchSize || remainder));
136✔
426

427
export const startTimeSort = (a, b) => (b.created > a.created) - (b.created < a.created);
268✔
428

429
export const standardizePhases = phases =>
190✔
430
  phases.map((phase, index) => {
3✔
431
    let standardizedPhase = { batch_size: phase.batch_size, start_ts: index };
8✔
432
    if (phase.delay) {
8✔
433
      standardizedPhase.delay = phase.delay;
5✔
434
      standardizedPhase.delayUnit = phase.delayUnit || 'hours';
5✔
435
    }
436
    if (index === 0) {
8✔
437
      // delete the start timestamp from a deployment pattern, to default to starting without delay
438
      delete standardizedPhase.start_ts;
3✔
439
    }
440
    return standardizedPhase;
8✔
441
  });
442

443
const getInstallScriptArgs = ({ isHosted, isPreRelease }) => {
190✔
444
  let installScriptArgs = '--demo';
11✔
445
  installScriptArgs = isPreRelease ? `${installScriptArgs} -c experimental` : installScriptArgs;
11✔
446
  installScriptArgs = isHosted ? `${installScriptArgs} --commercial --jwt-token $JWT_TOKEN` : installScriptArgs;
11✔
447
  return installScriptArgs;
11✔
448
};
449

450
const getSetupArgs = ({ deviceType = 'generic-armv6', ipAddress, isDemoMode, tenantToken, isOnboarding }) => {
190✔
451
  let menderSetupArgs = `--quiet --device-type "${deviceType}"`;
11✔
452
  menderSetupArgs = tenantToken ? `${menderSetupArgs} --tenant-token $TENANT_TOKEN` : menderSetupArgs;
11✔
453
  // in production we use polling intervals from the client examples: https://github.com/mendersoftware/mender/blob/master/examples/mender.conf.production
454
  menderSetupArgs = isDemoMode || isOnboarding ? `${menderSetupArgs} --demo` : `${menderSetupArgs} --retry-poll 300 --update-poll 1800 --inventory-poll 28800`;
11✔
455
  if (isDemoMode) {
11✔
456
    // Demo installation, either OS os Enterprise. Install demo cert and add IP to /etc/hosts
457
    menderSetupArgs = `${menderSetupArgs}${ipAddress ? ` --server-ip ${ipAddress}` : ''}`;
6!
458
  } else {
459
    // Production installation, either OS, HM, or Enterprise
460
    menderSetupArgs = `${menderSetupArgs} --server-url https://${window.location.hostname} --server-cert=""`;
5✔
461
  }
462
  return menderSetupArgs;
11✔
463
};
464

465
export const getDebConfigurationCode = props => {
190✔
466
  const { tenantToken, isPreRelease } = props;
11✔
467
  const envVars = tenantToken ? `JWT_TOKEN="${getToken()}"\nTENANT_TOKEN="${tenantToken}"\n` : '';
11✔
468
  const installScriptArgs = getInstallScriptArgs(props);
11✔
469
  const scriptUrl = isPreRelease ? 'https://get.mender.io/staging' : 'https://get.mender.io';
11✔
470
  const menderSetupArgs = getSetupArgs(props);
11✔
471
  return `${envVars}wget -O- ${scriptUrl} | sudo bash -s -- ${installScriptArgs} -- ${menderSetupArgs}`;
11✔
472
};
473

474
export const getSnackbarMessage = (skipped, done) => {
190✔
475
  pluralize.addIrregularRule('its', 'their');
1✔
476
  const skipText = skipped
1!
477
    ? `${skipped} ${pluralize('devices', skipped)} ${pluralize('have', skipped)} more than one pending authset. Expand ${pluralize(
478
        'this',
479
        skipped
480
      )} ${pluralize('device', skipped)} to individually adjust ${pluralize('their', skipped)} authorization status. `
481
    : '';
482
  const doneText = done ? `${done} ${pluralize('device', done)} ${pluralize('was', done)} updated successfully. ` : '';
1!
483
  return `${doneText}${skipText}`;
1✔
484
};
485

486
export const extractSoftware = (attributes = {}) => {
190✔
487
  const softwareKeys = Object.keys(attributes).reduce((accu, item) => {
42✔
488
    if (item.endsWith('.version')) {
112✔
489
      accu.push(item.substring(0, item.lastIndexOf('.')));
53✔
490
    }
491
    return accu;
112✔
492
  }, []);
493
  return Object.entries(attributes).reduce(
42✔
494
    (accu, item) => {
495
      if (softwareKeys.some(key => item[0].startsWith(key))) {
222✔
496
        accu.software.push(item);
68✔
497
      } else {
498
        accu.nonSoftware.push(item);
44✔
499
      }
500
      return accu;
112✔
501
    },
502
    { software: [], nonSoftware: [] }
503
  );
504
};
505

506
export const extractSoftwareItem = (artifactProvides = {}) => {
190✔
507
  const { software } = extractSoftware(artifactProvides);
16✔
508
  return (
16✔
509
    software
510
      .reduce((accu, item) => {
511
        const infoItems = item[0].split('.');
14✔
512
        if (infoItems[infoItems.length - 1] !== 'version') {
14!
513
          return accu;
×
514
        }
515
        accu.push({ key: infoItems[0], name: infoItems.slice(1, infoItems.length - 1).join('.'), version: item[1], nestingLevel: infoItems.length });
14✔
516
        return accu;
14✔
517
      }, [])
518
      // we assume the smaller the nesting level in the software name, the closer the software is to the rootfs/ the higher the chances we show the rootfs
519
      // sort based on this assumption & then only return the first item (can't use index access, since there might not be any software item at all)
520
      .sort((a, b) => a.nestingLevel - b.nestingLevel)
×
521
      .reduce((accu, item) => accu ?? item, undefined)
14✔
522
  );
523
};
524

525
export const createDownload = (target, filename) => {
190✔
526
  let link = document.createElement('a');
1✔
527
  link.setAttribute('href', target);
1✔
528
  link.setAttribute('download', filename);
1✔
529
  link.style.display = 'none';
1✔
530
  document.body.appendChild(link);
1✔
531
  link.click();
1✔
532
  document.body.removeChild(link);
1✔
533
};
534

535
export const createFileDownload = (content, filename) => createDownload('data:text/plain;charset=utf-8,' + encodeURIComponent(content), filename);
190✔
536

537
export const getISOStringBoundaries = currentDate => {
190✔
538
  const date = [currentDate.getUTCFullYear(), `0${currentDate.getUTCMonth() + 1}`.slice(-2), `0${currentDate.getUTCDate()}`.slice(-2)].join('-');
372✔
539
  return { start: `${date}T00:00:00.000Z`, end: `${date}T23:59:59.999Z` };
372✔
540
};
STATUS · Troubleshooting · Open an Issue · Sales · Support · CAREERS · ENTERPRISE · START FREE · SCHEDULE DEMO
ANNOUNCEMENTS · TWITTER · TOS & SLA · Supported CI Services · What's a CI service? · Automated Testing

© 2025 Coveralls, Inc