@happyvertical/smrt-ads

Ad management system with waterfall priority, zone targeting, weighted A/B testing, and immutable event tracking.

v0.20.44WaterfallA/B TestingIAB Formats

Overview

smrt-ads provides ad campaign management with waterfall priority delivery, zone-based targeting, weighted variation selection, and immutable event tracking.

Installation

bash
npm install @happyvertical/smrt-ads

Quick Start

typescript
import {
  AdDeliveryTier, AdDeliveryTierCollection,
  AdGroup, AdGroupCollection,
  AdVariation, AdVariationCollection,
  AdEvent, AdEventCollection,
  AdEventType, PricingModel, AdGroupStatus
} from '@happyvertical/smrt-ads';

// Define delivery tiers (lower priority number = served first)
const tiers = new AdDeliveryTierCollection(db);
const sponsorship = await tiers.create({
  name: 'Sponsorship',
  priority: 1,
  pricingModel: PricingModel.FIXED,
});

const standard = await tiers.create({
  name: 'Standard',
  priority: 2,
  pricingModel: PricingModel.CPM,
});

// Create an ad group with targeting and budget
const groups = new AdGroupCollection(db);
const group = await groups.create({
  name: 'Holiday Campaign',
  tierId: sponsorship.id,
  contractId: 'contract-uuid',     // plain string FK to smrt-commerce
  status: AdGroupStatus.ACTIVE,
  dailyBudget: 100.00,
  totalBudget: 3000.00,
  startDate: new Date('2025-06-01'),
  endDate: new Date('2025-08-31'),
});
group.setTargeting({ device: 'desktop', geo: 'US' });
group.setZoneIds(['zone-1', 'zone-2']);  // FK to smrt-properties zones
await group.save();

// Add variations with relative weights for A/B testing
// weight=2 is selected 2x more often than weight=1
const variations = new AdVariationCollection(db);
const varA = await variations.create({
  groupId: group.id,
  name: 'Version A - Blue CTA',
  weight: 2,
  status: 'active',
});

// Track an immutable event (create-only, no update/delete)
const events = new AdEventCollection(db);
await events.create({
  variationId: varA.id,
  zoneId: 'zone-uuid',
  siteId: 'site-uuid',
  eventType: AdEventType.IMPRESSION,
});

Core Models

AdDeliveryTier (Priority Waterfall)

Lower priority number = higher priority in selection. Typical tiers:

  • Sponsorship (priority 1): guaranteed premium placements, FIXED pricing
  • Standard (priority 2): regular programmatic ads, CPM pricing
  • House (priority 3): self-promotional fallback ads
typescript
class AdDeliveryTier extends SmrtObject {
  name: string
  priority: number          // 1=highest, 2, 3...
  pricingModel: 'fixed' | 'cpm' | 'cpc' | 'cpa'  // PricingModel enum
  description?: string
}

AdGroup (Campaign)

typescript
class AdGroup extends SmrtObject {
  name: string
  tierId: string            // FK to AdDeliveryTier
  contractId: string        // FK to Contract (smrt-commerce, plain string)
  status: 'draft' | 'active' | 'paused' | 'completed'  // AdGroupStatus
  dailyBudget: number = 0.0  // DECIMAL
  totalBudget: number = 0.0  // DECIMAL
  startDate: Date
  endDate: Date

  // JSON fields with getter/setter helpers
  setTargeting(rules: Record<string, any>): void
  getTargeting(): Record<string, any>
  setZoneIds(ids: string[]): void   // FK to Zone[] (smrt-properties)
  getZoneIds(): string[]
}

AdVariation (Creative, STI)

Weight is a relative integer, not a percentage. A variation with weight: 2 is twice as likely to be chosen as one with weight: 1.

typescript
class AdVariation extends SmrtObject {
  groupId: string
  name: string
  weight: number = 0        // Relative weight for A/B (2 = 2x more likely than 1)
  impressions: number = 0   // Denormalized count
  clicks: number = 0        // Denormalized count
  status: 'draft' | 'active' | 'paused'  // AdVariationStatus
}

Waterfall Priority & Selection

typescript
// Ad selection algorithm
async function selectAd(zoneId: string) {
  // 1. Find eligible groups for zone
  const eligibleGroups = await groups.findEligibleForZone(zoneId);
  // Filters: ACTIVE, in date range, has zoneId

  // 2. Sort by tier priority (1 first)
  eligibleGroups.sort((a, b) =>
    tierMap[a.tierName].priority - tierMap[b.tierName].priority
  );

  // 3. Select first group with available variations
  for (const group of eligibleGroups) {
    const variation = await variations.selectByWeight(group.id);
    if (variation) return variation;
  }

  return null; // No ads available
}

// Weighted selection (A/B testing)
const selected = await variations.selectByWeight(groupId);
// Weight 70 vs 30 = 70% chance of first variation

Immutable Event Tracking

AdEvent is create-only -- no update or delete in API/MCP. Event types: impression, click, conversion. cli: false due to high volume.

typescript
// Track events (immutable -- create only)
await events.create({
  eventType: AdEventType.IMPRESSION,
  variationId: variation.id,
  zoneId: zoneId,
  siteId: propertyId,
});

await events.create({
  eventType: AdEventType.CLICK,
  variationId: variation.id,
  zoneId: zoneId,
  siteId: propertyId,
});

Best Practices

DOs

  • Use lower priority numbers for premium tiers (1=highest)
  • Set reasonable weights for A/B tests (sum doesn't need to be 100)
  • Track impressions before serving to prevent double-counting
  • Use targeting JSON for flexible audience rules
  • Link to smrt-commerce contracts for billing

DON'Ts

  • Don't modify AdEvent records (immutable by design)
  • Don't set weight to 0 (makes variation unselectable)
  • Don't forget to filter by date range and status
  • Don't serve ads without zone eligibility check
  • Don't ignore tier priority ordering

Related Modules