ai-sdk-model-manager

0
0
Source

Manages AI SDK model configurations - updates packages, identifies missing models, adds new models with research, and updates documentation

Install

mkdir -p .claude/skills/ai-sdk-model-manager && curl -L -o skill.zip "https://mcp.directory/api/skills/download/6800" && unzip -o skill.zip -d .claude/skills/ai-sdk-model-manager && rm skill.zip

Installs to .claude/skills/ai-sdk-model-manager

About this skill

AI SDK Model Manager

This skill helps maintain AI SDK model configurations in the Tambo Cloud codebase. It automates the process of keeping model definitions up-to-date with the latest AI SDK releases.

What This Skill Does

  1. Updates AI SDK Packages - Checks and updates @ai-sdk/openai, @ai-sdk/google, @ai-sdk/groq, and other provider packages to their latest versions
  2. Identifies Missing Models - Compares TypeScript definitions in the SDKs against configured models to find newly available models
  3. Researches Models - Gathers information about new models including capabilities, context windows, pricing, and use cases
  4. Prompts User - Asks which models to add before making changes
  5. Adds Models - Updates model configuration files with proper TypeScript types and metadata
  6. Updates Documentation - Updates relevant docs and README files to reflect new model availability

When to Use This Skill

Use this skill when:

  • You want to check if AI SDK packages need updating
  • New models have been released by OpenAI, Google, Anthropic, or other providers
  • You're getting TypeScript errors about model IDs not being in SDK types
  • You want to ensure Tambo supports the latest models

Files This Skill Works With

  • packages/core/src/llms/models/*.ts - Model configuration files
  • packages/backend/package.json - AI SDK dependencies (source of truth for versions)
  • docs/content/docs/models/*.mdx - Model documentation
  • README.md - Main documentation file

Process

Step 1: Update AI SDK Packages

Check current versions and update to latest:

cd packages/backend
npm outdated | grep '@ai-sdk'
npm install @ai-sdk/openai@latest @ai-sdk/google@latest @ai-sdk/groq@latest @ai-sdk/anthropic@latest @ai-sdk/mistral@latest

Step 2: Identify Missing Models

For each provider, inspect the TypeScript definitions:

# Check what models are in the SDK types
cat node_modules/@ai-sdk/openai/dist/index.d.ts | grep 'type.*ModelId'
cat node_modules/@ai-sdk/google/dist/index.d.ts | grep 'type.*ModelId'
cat node_modules/@ai-sdk/groq/dist/index.d.ts | grep 'type.*ModelId'

Compare against current model configurations in:

  • packages/core/src/llms/models/openai.ts
  • packages/core/src/llms/models/gemini.ts
  • packages/core/src/llms/models/groq.ts
  • packages/core/src/llms/models/anthropic.ts
  • packages/core/src/llms/models/mistral.ts

Step 3: Research New Models

Use the researcher subagent to gather information about each missing model:

Launch a researcher subagent to find:
- Official documentation link
- Model capabilities (reasoning, vision, function calling, etc.)
- Context window size (inputTokenLimit)
- Pricing tier
- Best use cases
- Release date and status (experimental, stable, deprecated)

The researcher subagent has access to web search and can efficiently gather this information for multiple models in parallel.

Step 4: Prompt User

Present findings:

Found the following new models in updated AI SDK packages:

OpenAI:
- gpt-6-preview (200k context, experimental reasoning model)
- gpt-4.2-turbo (1M context, improved function calling)

Google:
- gemini-3.5-pro (2M context, advanced reasoning)

Which models would you like to add? (all/none/specific)

Wait for user response before proceeding.

Step 5: Add Selected Models

Consider launching parallel subagents to add models to each provider file:

For models spread across multiple providers (OpenAI, Google, Groq), launch separate subagents to edit each file concurrently. This is faster than doing them sequentially.

For each model being added, ensure these required fields:

  • apiName: Exact model ID string from SDK
  • displayName: Human-friendly name
  • status: "untested" | "tested" | "known-issues"
  • notes: Brief description of capabilities and use cases
  • docLink: Official provider documentation URL
  • tamboDocLink: "https://docs.tambo.co"
  • inputTokenLimit: Context window size in tokens
  • modelSpecificParams: Any special parameters (reasoning, thinking, etc.)

Follow existing patterns in each file and ensure model IDs match SDK type definitions exactly.

Example:

"gpt-6-preview": {
  apiName: "gpt-6-preview",
  displayName: "gpt-6-preview",
  status: "untested",
  notes: "Experimental next-generation reasoning model with extended context",
  docLink: "https://platform.openai.com/docs/models/gpt-6-preview",
  tamboDocLink: "https://docs.tambo.co",
  inputTokenLimit: 200000,
  modelSpecificParams: reasoningParameters,
},

Step 6: Verify TypeScript

Run type checking to ensure all model IDs are valid:

cd packages/core
npm run check-types

If there are type errors, fix model IDs to match SDK definitions exactly.

Step 7: Update Documentation

Consider using subagents to update documentation in parallel:

If updating multiple documentation files, launch parallel subagents to handle:

  1. README.md - Update the "Supported LLM Providers" section if new providers or significant models were added
  2. docs/content/docs/models/*.mdx - Add new models to appropriate documentation pages with:
    • Model name and description
    • Key capabilities
    • Context window
    • Example use cases
    • Links to provider docs

Step 8: Run Quality Checks

Before completing:

cd packages/core
npm run lint
npm run check-types
npm run test

Step 9: Create Pull Request

Create a PR with proper conventional commit format:

gh pr create --title "feat(models): add [model names] support" --body "$(cat <<'EOF'
Updated AI SDK packages and added support for newly released models:

Models added:
- [list models here]

Package updates:
- @ai-sdk/openai: X.X.X → X.X.X
- @ai-sdk/groq: X.X.X → X.X.X

All type checks passing, documentation updated.
EOF
)"

PR title format: feat(models): add [model names] support

Use feat(models): for new models or deps(core): for package updates only.

Guidelines

  • Use subagents for efficiency - Launch researcher subagents for gathering information and parallel subagents for editing multiple files
  • Always research before adding - Don't guess at model capabilities or context limits
  • Match SDK types exactly - Model IDs must match the TypeScript definitions in node_modules
  • Mark new models as "untested" - Let the team test before marking as "tested"
  • Include official doc links - Always link to provider's official documentation
  • Be conservative - Only add models the user explicitly approves
  • Update docs comprehensively - Don't just update code, update all relevant documentation

Error Handling

If you encounter:

  • Type errors after adding models - Double-check the model ID matches the SDK's TypeScript definition exactly
  • Missing model in SDK - The provider may not have released it yet, suggest waiting for next SDK update
  • Conflicting model names - Use the SDK's preferred naming convention
  • Unknown context limits - Research provider docs or mark as "unknown" and note it needs verification

Notes

  • This skill should be run periodically (monthly or when new models are announced)
  • Always check the git diff before committing to ensure only intended changes were made
  • Some models may have special requirements (API access, pricing tier, etc.) - note these in the model's notes field
  • If a model is renamed in the SDK, update both the key and apiName, and consider adding a deprecation note to the old entry

add-components-to-registry

tambo-ai

Registers existing React components with Tambo so AI can render them. Use when user wants to make their existing components available to AI, register components for generative UI, convert React components to Tambo components, or mentions /add-components-to-registry. For creating NEW components, see the components skill. For project setup, use add-to-existing-project or start-from-scratch skills.

00

component-rendering

tambo-ai

Handles Tambo component streaming, loading states, and persistent state. Use when implementing streaming UI feedback, tracking prop streaming status, managing partial props, or persisting component state across sessions with useTamboStreamStatus or useTamboComponentState.

70

cli

tambo-ai

Tambo CLI reference for project setup and component installation. Agent-friendly with non-interactive mode and exit codes. Use when running tambo init, tambo add, npx tambo commands, or browsing the component library. For guided project creation with tech recommendations, use start-from-scratch skill. For adding Tambo to existing projects, use add-to-existing-project skill.

10

creating-styled-wrappers

tambo-ai

Creates styled wrapper components that compose headless/base compound components. Use when refactoring styled components to use base primitives, implementing opinionated design systems on top of headless components, or when the user mentions "use base components", "compose primitives", "styled wrapper", or "refactor to use base".

00

components

tambo-ai

Creates and registers Tambo components - generative (AI creates on-demand) and interactable (pre-placed, AI updates). Use when defining components, working with TamboComponent, withInteractable, propsSchema, or registering components for AI to render or update.

40

start-from-scratch

tambo-ai

Guides creation of a new Tambo project from scratch with technology recommendations. Use when user wants to start a NEW project, build a new app with Tambo, create something from nothing, or needs help choosing technologies for a new generative UI application. For adding Tambo to EXISTING projects, use add-to-existing-project skill instead.

20

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.

643969

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.

591705

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."

318398

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.

339397

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.

451339

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.

304231

Stay ahead of the MCP ecosystem

Get weekly updates on new skills and servers.