fireflies-cost-tuning
Optimize Fireflies.ai costs through tier selection, sampling, and usage monitoring. Use when analyzing Fireflies.ai billing, reducing API costs, or implementing usage monitoring and budget alerts. Trigger with phrases like "fireflies cost", "fireflies billing", "reduce fireflies costs", "fireflies pricing", "fireflies expensive", "fireflies budget".
Install
mkdir -p .claude/skills/fireflies-cost-tuning && curl -L -o skill.zip "https://mcp.directory/api/skills/download/3830" && unzip -o skill.zip -d .claude/skills/fireflies-cost-tuning && rm skill.zipInstalls to .claude/skills/fireflies-cost-tuning
About this skill
Fireflies.ai Cost Tuning
Overview
Optimize Fireflies.ai subscription costs. Fireflies charges per-seat per month. The main levers: remove unused seats, configure selective recording, manage storage, and right-size your plan tier.
Pricing Reference
| Plan | Price | API Access | Key Features |
|---|---|---|---|
| Free | $0 | 50 req/day | 800 min storage, limited transcription |
| Pro | ~$18/seat/month | 50 req/day | 8,000 min/seat, AI summaries |
| Business | ~$29/seat/month | 60 req/min | Unlimited transcription, CRM, analytics |
| Enterprise | Custom | 60 req/min | SSO, Super Admin webhooks, custom |
Instructions
Step 1: Audit Seat Utilization via API
set -euo pipefail
# List all workspace users with their transcript counts
curl -s -X POST https://api.fireflies.ai/graphql \
-H "Authorization: Bearer $FIREFLIES_API_KEY" \
-H "Content-Type: application/json" \
-d '{"query": "{ users { name email user_id num_transcripts minutes_consumed } }"}' \
| jq '.data.users | sort_by(.num_transcripts) | .[] | {name, email, transcripts: .num_transcripts, minutes: .minutes_consumed}'
// Automated utilization report
async function seatUtilizationReport() {
const data = await firefliesQuery(`{
users {
name email user_id
num_transcripts minutes_consumed
recent_meeting
}
}`);
const users = data.users;
const inactive = users.filter((u: any) => u.num_transcripts < 2);
const active = users.filter((u: any) => u.num_transcripts >= 2);
console.log(`Total seats: ${users.length}`);
console.log(`Active (2+ transcripts): ${active.length}`);
console.log(`Inactive (<2 transcripts): ${inactive.length}`);
console.log(`Potential savings: ${inactive.length} seats * $29/mo = $${inactive.length * 29}/mo`);
if (inactive.length > 0) {
console.log("\nInactive seats to review:");
for (const u of inactive) {
console.log(` ${u.email}: ${u.num_transcripts} transcripts, last meeting: ${u.recent_meeting || "never"}`);
}
}
return { total: users.length, active: active.length, inactive, savings: inactive.length * 29 };
}
Step 2: Configure Selective Recording
Instead of recording every meeting, configure auto-join rules in Fireflies Settings > Auto-Join:
# Recommended recording policy
record_always:
- External meetings (client/prospect calls)
- Meetings with 3+ participants
- Meetings with keywords: "review", "planning", "standup", "demo"
skip_recording:
- 1-on-1 informal chats
- Social events
- Meetings shorter than 5 minutes
- Recurring "lunch" or "coffee" meetings
Estimated savings: Teams recording every meeting typically waste 30-50% of transcription credits on low-value meetings.
Step 3: Manage Storage to Avoid Forced Upgrades
// Check storage and clean up old transcripts
async function storageAudit() {
const data = await firefliesQuery(`{
transcripts(limit: 100) {
id title date duration
}
user { minutes_consumed }
}`);
const now = Date.now();
const transcripts = data.transcripts;
// Find transcripts older than 90 days
const old = transcripts.filter((t: any) => {
const age = (now - new Date(t.date).getTime()) / 86400000;
return age > 90;
});
console.log(`Total transcripts: ${transcripts.length}`);
console.log(`Older than 90 days: ${old.length}`);
console.log(`Minutes consumed: ${data.user.minutes_consumed}`);
return { total: transcripts.length, old, minutesUsed: data.user.minutes_consumed };
}
// Delete old transcripts to free storage
async function deleteOldTranscripts(ids: string[]) {
for (const id of ids) {
await firefliesQuery(`
mutation($id: String!) {
deleteTranscript(transcript_id: $id)
}
`, { id });
console.log(`Deleted: ${id}`);
// deleteTranscript is rate limited: 10/min
await new Promise(r => setTimeout(r, 6500));
}
}
Step 4: Right-Size Your Plan
# Decision matrix
choose_pro:
when:
- Team averages <15 meetings/week per person
- No CRM integration needed
- Basic AI summaries sufficient
saves: $11/seat/month vs Business
choose_business:
when:
- Sales team recording every call
- CRM integration required (Salesforce, HubSpot)
- Meeting analytics dashboards needed
- 20+ meetings/week per person
choose_enterprise:
when:
- SSO/SAML required
- Super Admin webhooks needed (org-wide meeting data)
- Custom data retention policies
- Dedicated support
Step 5: API Cost Optimization
// Free/Pro plans: 50 requests/day. Make every request count.
// Strategy: Fetch meeting list once, cache aggressively
async function efficientDailySync() {
// One request: get all recent transcripts
const data = await firefliesQuery(`{
transcripts(limit: 50) {
id title date duration
summary { overview action_items }
}
}`);
// Process locally -- no additional API calls
const today = new Date().toDateString();
const todaysMeetings = data.transcripts.filter(
(t: any) => new Date(t.date).toDateString() === today
);
console.log(`Today's meetings: ${todaysMeetings.length}`);
console.log(`API requests used: 1 of 50 daily budget`);
return todaysMeetings;
}
Cost Savings Summary
| Lever | Typical Savings |
|---|---|
| Remove inactive seats | $29/seat/month |
| Selective recording | 30-50% fewer transcriptions |
| Pro vs Business downgrade | $11/seat/month |
| Storage cleanup | Avoid forced tier upgrade |
| API request caching | Stay within Free/Pro limits |
Error Handling
| Issue | Cause | Solution |
|---|---|---|
| Can't remove seat | User has admin role | Reassign admin first |
| Storage limit warning | Too many transcripts | Delete old transcripts |
| API daily limit hit | Free/Pro 50 req/day | Cache results, batch efficiently |
| Unexpected invoice increase | Auto-provisioned members | Disable auto-provisioning |
Output
- Seat utilization report with inactive members identified
- Selective recording policy configured
- Storage audit with cleanup recommendations
- Plan right-sizing recommendation
Resources
Next Steps
For architecture design, see fireflies-reference-architecture.
More by jeremylongshore
View all skills by jeremylongshore →You might also like
flutter-development
aj-geddes
Build beautiful cross-platform mobile apps with Flutter and Dart. Covers widgets, state management with Provider/BLoC, navigation, API integration, and material design.
drawio-diagrams-enhanced
jgtolentino
Create professional draw.io (diagrams.net) diagrams in XML format (.drawio files) with integrated PMP/PMBOK methodologies, extensive visual asset libraries, and industry-standard professional templates. Use this skill when users ask to create flowcharts, swimlane diagrams, cross-functional flowcharts, org charts, network diagrams, UML diagrams, BPMN, project management diagrams (WBS, Gantt, PERT, RACI), risk matrices, stakeholder maps, or any other visual diagram in draw.io format. This skill includes access to custom shape libraries for icons, clipart, and professional symbols.
ui-ux-pro-max
nextlevelbuilder
"UI/UX design intelligence. 50 styles, 21 palettes, 50 font pairings, 20 charts, 8 stacks (React, Next.js, Vue, Svelte, SwiftUI, React Native, Flutter, Tailwind). Actions: plan, build, create, design, implement, review, fix, improve, optimize, enhance, refactor, check UI/UX code. Projects: website, landing page, dashboard, admin panel, e-commerce, SaaS, portfolio, blog, mobile app, .html, .tsx, .vue, .svelte. Elements: button, modal, navbar, sidebar, card, table, form, chart. Styles: glassmorphism, claymorphism, minimalism, brutalism, neumorphism, bento grid, dark mode, responsive, skeuomorphism, flat design. Topics: color palette, accessibility, animation, layout, typography, font pairing, spacing, hover, shadow, gradient."
godot
bfollington
This skill should be used when working on Godot Engine projects. It provides specialized knowledge of Godot's file formats (.gd, .tscn, .tres), architecture patterns (component-based, signal-driven, resource-based), common pitfalls, validation tools, code templates, and CLI workflows. The `godot` command is available for running the game, validating scripts, importing resources, and exporting builds. Use this skill for tasks involving Godot game development, debugging scene/resource files, implementing game systems, or creating new Godot components.
nano-banana-pro
garg-aayush
Generate and edit images using Google's Nano Banana Pro (Gemini 3 Pro Image) API. Use when the user asks to generate, create, edit, modify, change, alter, or update images. Also use when user references an existing image file and asks to modify it in any way (e.g., "modify this image", "change the background", "replace X with Y"). Supports both text-to-image generation and image-to-image editing with configurable resolution (1K default, 2K, or 4K for high resolution). DO NOT read the image file first - use this skill directly with the --input-image parameter.
fastapi-templates
wshobson
Create production-ready FastAPI projects with async patterns, dependency injection, and comprehensive error handling. Use when building new FastAPI applications or setting up backend API projects.
Related MCP Servers
Browse all serversOptimize Facebook ad campaigns with AI-driven insights, creative analysis, and campaign control in Meta Ads Manager for
Funnel is a TypeScript proxy server that aggregates MCP servers, intelligently filtering tools to optimize context token
Search any codebase or documentation, including Git Hub repositories, with Probe's optimized, auto-updating search engin
Enable AI web browsing in your MCP client — simple command to add browser integration for chatbots using your LLM with n
Context Optimizer offers web keyword analysis, website keyword analysis, and secure content extraction to help you find
Obsidian Semantic delivers smart Obsidian vault management with intelligent file access, editing, and adaptive indexing
Stay ahead of the MCP ecosystem
Get weekly updates on new skills and servers.