instantly-data-handling

Instantly Data Handling

Safety Notice

This listing is imported from skills.sh public index metadata. Review upstream SKILL.md and repository scripts before running.

Copy this and send it to your AI assistant to learn

Install skill "instantly-data-handling" with this command: npx skills add jeremylongshore/claude-code-plugins-plus-skills/jeremylongshore-claude-code-plugins-plus-skills-instantly-data-handling

Instantly Data Handling

Overview

Manage lead and campaign data in Instantly outreach pipelines. Covers email validation before import, lead deduplication, unsubscribe/suppression list management, and GDPR-compliant lead data practices for cold outreach.

Prerequisites

  • Instantly API key

  • Understanding of CAN-SPAM and GDPR requirements

  • Email validation service (recommended)

  • Suppression list management

Instructions

Step 1: Lead Data Validation Before Import

import { z } from 'zod';

const InstantlyLeadSchema = z.object({ email: z.string().email().toLowerCase(), first_name: z.string().min(1).optional(), last_name: z.string().min(1).optional(), company_name: z.string().optional(), personalization: z.string().max(500).optional(), # HTTP 500 Internal Server Error });

function validateLeads(records: any[]) { const valid: any[] = []; const invalid: Array<{ record: any; error: string }> = [];

for (const record of records) { // Skip obviously bad emails if (record.email?.includes('noreply') || record.email?.includes('info@')) { invalid.push({ record, error: 'Generic email address' }); continue; }

const result = InstantlyLeadSchema.safeParse(record);
if (result.success) {
  valid.push(result.data);
} else {
  invalid.push({ record, error: result.error.message });
}

}

return { valid, invalid }; }

Step 2: Suppression List Management

class SuppressionList { private emails = new Set<string>(); private domains = new Set<string>();

addEmail(email: string) { this.emails.add(email.toLowerCase()); }

addDomain(domain: string) { this.domains.add(domain.toLowerCase()); }

isBlocked(email: string): boolean { const lower = email.toLowerCase(); const domain = lower.split('@')[1]; return this.emails.has(lower) || this.domains.has(domain); }

filterLeads(leads: any[]) { const allowed: any[] = []; const blocked: any[] = [];

for (const lead of leads) {
  if (this.isBlocked(lead.email)) {
    blocked.push(lead);
  } else {
    allowed.push(lead);
  }
}

return { allowed, blocked };

} }

// Initialize with common suppression entries const suppression = new SuppressionList(); suppression.addDomain('government.gov'); suppression.addDomain('military.mil');

Step 3: Lead Deduplication Across Campaigns

const INSTANTLY_API = 'https://api.instantly.ai/api/v1';

async function deduplicateBeforeUpload( campaignId: string, newLeads: any[] ) { // Get existing workspace leads const existing = new Set<string>(); let skip = 0; let hasMore = true;

while (hasMore) { const response = await fetch(${INSTANTLY_API}/lead/get, { method: 'POST', headers: { 'Content-Type': 'application/json' }, body: JSON.stringify({ api_key: process.env.INSTANTLY_API_KEY, campaign_id: campaignId, limit: 100, skip, }), }); const leads = await response.json(); if (!leads.length) { hasMore = false; break; } leads.forEach((l: any) => existing.add(l.email?.toLowerCase())); skip += 100; }

const unique = newLeads.filter(l => !existing.has(l.email?.toLowerCase())); return { unique, duplicatesSkipped: newLeads.length - unique.length, }; }

Step 4: Unsubscribe Webhook Handler

import express from 'express'; const app = express();

app.post('/webhooks/instantly/unsubscribe', express.json(), async (req, res) => { const { lead_email, campaign_id } = req.body;

// Add to global suppression list suppression.addEmail(lead_email);

// Remove from all active campaigns await removeFromAllCampaigns(lead_email);

// Log for compliance console.log(Unsubscribe: ${lead_email} from campaign ${campaign_id});

res.json({ processed: true }); });

async function removeFromAllCampaigns(email: string) { await fetch(${INSTANTLY_API}/lead/delete, { method: 'POST', headers: { 'Content-Type': 'application/json' }, body: JSON.stringify({ api_key: process.env.INSTANTLY_API_KEY, delete_all_from_company: false, delete_list: [email], }), }); }

Error Handling

Issue Cause Solution

High bounce rate Invalid emails imported Validate before upload

Compliance violation Emailing unsubscribed leads Check suppression list before import

Duplicate sends Lead in multiple campaigns Use skip_if_in_workspace or manual dedup

Missing opt-out link Template misconfigured Always include the Instantly unsubscribe merge tag in email templates

Examples

Full Import Pipeline

async function safeImport(campaignId: string, rawLeads: any[]) { const { valid, invalid } = validateLeads(rawLeads); const { allowed, blocked } = suppression.filterLeads(valid); const { unique } = await deduplicateBeforeUpload(campaignId, allowed);

console.log(Import: ${rawLeads.length} total -> ${unique.length} to upload); console.log(Rejected: ${invalid.length} invalid, ${blocked.length} suppressed);

return unique; }

Resources

  • Instantly API Docs

  • CAN-SPAM Compliance

Output

  • Configuration files or code changes applied to the project

  • Validation report confirming correct implementation

  • Summary of changes made and their rationale

Source Transparency

This detail page is rendered from real SKILL.md content. Trust labels are metadata-based hints, not a safety guarantee.

Related Skills

Related by shared tags or category signals.

Coding

backtesting-trading-strategies

No summary provided by upstream source.

Repository SourceNeeds Review
Coding

svg-icon-generator

No summary provided by upstream source.

Repository SourceNeeds Review
Coding

performance-lighthouse-runner

No summary provided by upstream source.

Repository SourceNeeds Review