npm package discovery and stats viewer.

Discover Tips

  • General search

    [free text search, go nuts!]

  • Package details

    pkg:[package-name]

  • User packages

    @[username]

Sponsor

Optimize Toolset

I’ve always been into building performant and accessible sites, but lately I’ve been taking it extremely seriously. So much so that I’ve been building a tool to help me optimize and monitor the sites that I build to make sure that I’m making an attempt to offer the best experience to those who visit them. If you’re into performant, accessible and SEO friendly sites, you might like it too! You can check it out at Optimize Toolset.

About

Hi, 👋, I’m Ryan Hefner  and I built this site for me, and you! The goal of this site was to provide an easy way for me to check the stats on my npm packages, both for prioritizing issues and updates, and to give me a little kick in the pants to keep up on stuff.

As I was building it, I realized that I was actually using the tool to build the tool, and figured I might as well put this out there and hopefully others will find it to be a fast and useful way to search and browse npm packages as I have.

If you’re interested in other things I’m working on, follow me on Twitter or check out the open source projects I’ve been publishing on GitHub.

I am also working on a Twitter bot for this site to tweet the most popular, newest, random packages from npm. Please follow that account now and it will start sending out packages soon–ish.

Open Software & Tools

This site wouldn’t be possible without the immense generosity and tireless efforts from the people who make contributions to the world and share their work via open source initiatives. Thank you 🙏

© 2026 – Pkg Stats / Ryan Hefner

@isl-lang/trust-score

v1.0.0

Published

Trust score computation from verification evidence - drives SHIP/NO-SHIP decisions

Readme

@isl-lang/trust-score

Trust score computation from verification evidence. Computes a score ∈ [0,1] based on multiple verification signals to drive SHIP/NO-SHIP decisions.

Overview

Gate decisions are meaningless without quantified confidence. This package provides a principled approach to computing trust scores from verification evidence:

  • Multi-signal aggregation: Combines static checks, evaluator verdicts, SMT proofs, PBT results, and chaos outcomes
  • No single signal dominates: Weights are capped and normalized to prevent any signal from overwhelming others
  • Unknown reduces trust: Incomplete verification is penalized appropriately
  • Stable and explainable: Same inputs produce same outputs with detailed breakdowns
  • Threshold-driven decisions: Clear SHIP/NO_SHIP/REVIEW_REQUIRED outcomes

Installation

pnpm add @isl-lang/trust-score

Quick Start

import { computeTrustScore, EvidenceBuilder, formatForTerminal } from '@isl-lang/trust-score';

// Build evidence from your verification results
const evidence = new EvidenceBuilder()
  .withStaticChecks([
    { checkId: 'type-check', name: 'Type Safety', verdict: 'pass' },
  ])
  .withEvaluatorVerdicts([
    { clauseId: 'post_1', type: 'postcondition', expression: 'result > 0', verdict: 'pass' },
    { clauseId: 'inv_1', type: 'invariant', expression: 'balance >= 0', verdict: 'pass' },
  ])
  .withPBTResults([
    { behaviorName: 'CreateUser', verdict: 'pass', iterations: 100, successes: 100, failures: 0, filtered: 0, violations: [] },
  ])
  .build();

// Compute trust score
const score = computeTrustScore(evidence);

console.log(formatForTerminal(score));
// Output:
// ═══════════════════════════════════════════════════════════════
//                         TRUST SCORE REPORT
// ═══════════════════════════════════════════════════════════════
//
//   Trust Score:     ████████████████░░░░ 82%
//   Confidence:      ████████░░░░░░░░░░░░ 40%
//   Decision:        REVIEW_REQUIRED
//   ...

// Use in CI/CD
if (score.decision === 'NO_SHIP') {
  process.exit(1);
}

Signal Categories

The trust score aggregates evidence from five verification signals:

| Signal | Default Weight | Description | |--------|---------------|-------------| | Static Checks | 15% | Type checking, linting, null safety | | Evaluator Verdicts | 30% | Postcondition and invariant evaluations | | SMT Proofs | 25% | Formal verification via SMT solvers | | PBT Results | 20% | Property-based testing outcomes | | Chaos Outcomes | 10% | Resilience testing under fault injection |

Why These Weights?

  • Evaluator verdicts (30%): Direct contract verification is the core signal
  • SMT proofs (25%): Formal proofs provide strong guarantees
  • PBT results (20%): Randomized testing catches edge cases
  • Static checks (15%): Early, fast feedback but less comprehensive
  • Chaos outcomes (10%): Important for resilience but optional for many systems

Scoring Rules

No Single Signal Dominates

Weights are capped at MAX_SINGLE_SIGNAL_WEIGHT (default 40%) to prevent any signal from overwhelming the score:

const score = computeTrustScore(evidence, {
  maxSingleSignalWeight: 0.35, // Cap at 35%
});

Unknown Reduces Trust

Incomplete verification (unknown verdicts) incurs penalties:

const penalties = {
  unknownPenalty: 0.15,      // Per-unknown penalty
  failurePenalty: 0.25,      // Per-failure penalty
  missingSignalPenalty: 0.10, // Missing signal category
  criticalFailureMultiplier: 2.0,
};

Decision Thresholds

const thresholds = {
  ship: 0.90,        // ≥90% → SHIP
  review: 0.70,      // ≥70% → REVIEW_REQUIRED
  minConfidence: 0.60, // Minimum confidence for SHIP
};
// Below review threshold → NO_SHIP
// Critical failures → NO_SHIP (regardless of score)

API Reference

computeTrustScore(evidence, config?)

Compute trust score from evidence.

function computeTrustScore(
  evidence: TrustEvidenceInput,
  config?: TrustScoreConfig
): TrustScore;

TrustScore Interface

interface TrustScore {
  score: number;           // Overall score [0, 1]
  confidence: number;      // Confidence in score [0, 1]
  decision: ShipDecision;  // 'SHIP' | 'NO_SHIP' | 'REVIEW_REQUIRED'
  signals: SignalScore[];  // Breakdown by category
  summary: TrustSummary;   // Human-readable summary
  trustReducers: TrustReducer[]; // Factors that reduced trust
  recommendations: Recommendation[]; // How to improve
  computedAt: string;      // ISO timestamp
  algorithmVersion: string; // For tracking changes
}

EvidenceBuilder

Fluent builder for constructing evidence:

const evidence = new EvidenceBuilder()
  .withStaticChecks([...])
  .withEvaluatorVerdicts([...])
  .withSMTProofs([...])
  .withPBTResults([...])
  .withChaosOutcomes([...])
  .build();

Formatters

// JSON for CI/machine consumption
formatAsJSON(score: TrustScore, pretty?: boolean): string;

// Terminal output with ANSI colors
formatForTerminal(score: TrustScore, useColor?: boolean): string;

// Markdown for reports/PRs
formatAsMarkdown(score: TrustScore): string;

Adapters

Convert from existing ISL verification packages:

// From @isl-lang/verify-pipeline
fromVerifyPipelineResult(result): Partial<TrustEvidenceInput>;

// From @isl-lang/isl-pbt
fromPBTReport(report): PBTEvidence;

// From @isl-lang/verifier-chaos
fromChaosResult(result): ChaosEvidence;

Configuration

interface TrustScoreConfig {
  weights?: {
    static_checks?: number;
    evaluator_verdicts?: number;
    smt_proofs?: number;
    pbt_results?: number;
    chaos_outcomes?: number;
  };
  thresholds?: {
    ship?: number;     // Default: 0.90
    review?: number;   // Default: 0.70
    minConfidence?: number; // Default: 0.60
  };
  penalties?: {
    unknownPenalty?: number;      // Default: 0.15
    failurePenalty?: number;      // Default: 0.25
    missingSignalPenalty?: number; // Default: 0.10
    criticalFailureMultiplier?: number; // Default: 2.0
  };
  maxSingleSignalWeight?: number; // Default: 0.40
}

CI/CD Integration

GitHub Actions

- name: Compute Trust Score
  run: |
    pnpm isl verify --output=evidence.json
    pnpm isl trust-score --input=evidence.json --format=json > trust.json
    
- name: Gate on Trust Score
  run: |
    DECISION=$(jq -r '.decision' trust.json)
    if [ "$DECISION" = "NO_SHIP" ]; then
      echo "❌ Trust score too low to ship"
      exit 1
    fi

Programmatic Usage

import { computeTrustScore } from '@isl-lang/trust-score';

const score = computeTrustScore(evidence);

switch (score.decision) {
  case 'SHIP':
    console.log('✅ Ready to deploy');
    break;
  case 'REVIEW_REQUIRED':
    console.log('⚠️ Manual review needed');
    // Create PR comment with score.summary
    break;
  case 'NO_SHIP':
    console.log('❌ Cannot ship');
    console.log('Concerns:', score.summary.concerns);
    process.exit(1);
}

Understanding the Output

Trust Reducers

Factors that lowered the score:

interface TrustReducer {
  id: string;           // e.g., 'violated_postconditions'
  description: string;  // Human-readable explanation
  impact: number;       // How much this reduced score
  severity: 'critical' | 'major' | 'minor';
  category: SignalCategory | 'overall';
}

Critical reducers force NO_SHIP regardless of score:

  • Violated postconditions
  • SMT counterexamples found
  • Chaos invariant violations
  • Critical static analysis errors

Recommendations

Actionable steps to improve trust:

interface Recommendation {
  id: string;
  description: string;
  expectedImpact: number;  // Estimated score improvement
  priority: 'high' | 'medium' | 'low';
  category: SignalCategory | 'overall';
}

Algorithm Stability

The trust score algorithm is versioned (algorithmVersion field) to ensure:

  1. Reproducibility: Same evidence always produces same score
  2. Tracking: Changes to the algorithm are versioned
  3. Comparison: Scores from different versions can be flagged

License

MIT