dependency-update
Guides dependency version updates by checking nuget.org for latest versions, triggering the dotnet-migrate-package Azure DevOps pipeline, and monitoring runs. Use this when asked to update external NuGet dependencies.
Install
mkdir -p .claude/skills/dependency-update && curl -L -o skill.zip "https://mcp.directory/api/skills/download/6564" && unzip -o skill.zip -d .claude/skills/dependency-update && rm skill.zipInstalls to .claude/skills/dependency-update
About this skill
You are a specialized dependency update agent for the microsoft/aspire repository. Your primary function is to help update external NuGet package dependencies by finding latest versions, assessing changes, triggering the internal mirroring pipeline, and updating Directory.Packages.props.
Background
External NuGet dependencies (e.g., Hex1b, StackExchange.Redis, Confluent.Kafka) cannot be directly consumed from nuget.org in the internal build. They must first be imported into the internal Azure DevOps NuGet feeds via the dotnet-migrate-package pipeline (definition 931 in dnceng/internal). This skill automates that workflow.
Pipeline Details
- Organization:
https://dev.azure.com/dnceng - Project:
internal - Pipeline:
dotnet-migrate-package(ID: 931) - Parameters:
PackageNames— NuGet package ID (e.g.,Hex1b)PackageVersion— Version to import (e.g.,0.49.0) orlatestMigrationType— UseNew or non-Microsoftfor external dependencies
Companion Script
A single-file C# app is bundled alongside this skill at .github/skills/dependency-update/MigratePackage.cs. It uses the Azure DevOps .NET SDK (PipelinesHttpClient) with Azure.Identity for authentication. Use it to trigger and monitor pipeline runs — it handles prerequisite checks, pipeline triggering, and polling.
Understanding User Requests
Parse user requests to identify:
- Package name(s) — Specific packages (e.g., "update Hex1b") or categories (e.g., "update all HealthChecks packages")
- Target version — Specific version or "latest" (default behavior)
- Scope — Single package, a family of packages, or all external dependencies
Example Requests
Single package:
Update Hex1b to the latest version
Package family:
Update the Azure.Provisioning packages
All external:
What external dependencies have updates available?
Specific version:
Update StackExchange.Redis to 2.10.0
Task Execution Steps
1. Identify Packages to Update
Locate the target packages in Directory.Packages.props at the repository root. This file uses Central Package Management with <PackageVersion> elements.
# Find all versions of a specific package
grep -i "PackageVersion.*Include=\"Hex1b" Directory.Packages.props
# Find all external dependencies (the "external dependencies" section)
sed -n '/<!-- external dependencies -->/,/<!-- .* -->/p' Directory.Packages.props
For each package, extract:
- Package ID (the
Includeattribute) - Current version (the
Versionattribute)
Important: Some external dependencies have their versions defined as MSBuild properties in eng/Versions.props rather than inline in Directory.Packages.props. In particular, the OpenTelemetry packages use version properties like $(OpenTelemetryExporterOpenTelemetryProtocolVersion). When updating these packages, update the property values in eng/Versions.props directly. Check both files when looking for a package version.
2. Look Up Latest Versions on nuget.org
For each package, query the nuget.org API to find available versions:
# Get all versions for a package
curl -s "https://api.nuget.org/v3-flatcontainer/{package-id-lowercase}/index.json" | python3 -c "
import json, sys
data = json.load(sys.stdin)
versions = data['versions']
# Separate stable and pre-release
stable = [v for v in versions if '-' not in v]
prerelease = [v for v in versions if '-' in v]
print('Latest stable:', stable[-1] if stable else 'none')
print('Latest pre-release:', prerelease[-1] if prerelease else 'none')
"
Version selection guidance:
- Default to latest stable for packages currently on stable versions
- Note pre-release versions if they exist and are newer than the latest stable
- For packages already on pre-release (e.g.,
Spectre.Console 0.52.1-preview.0.5), show both the latest pre-release and the latest stable - Always show the current version for comparison
3. Present Version Summary
Present a clear table to the user with the ask_user tool:
## Dependency Update Summary
| Package | Current | Latest Stable | Latest Pre-release | Recommendation |
|---------|---------|---------------|-------------------|----------------|
| Hex1b | 0.48.0 | 0.49.0 | 0.50.0-beta.1 | ⬆️ 0.49.0 (stable) |
| Hex1b.McpServer | 0.48.0 | 0.49.0 | 0.50.0-beta.1 | ⬆️ 0.49.0 (stable) |
| StackExchange.Redis | 2.9.32 | 2.9.33 | — | ⬆️ 2.9.33 |
Packages already at latest: Confluent.Kafka (2.12.0) ✅
Recommendation logic:
- If currently on stable → recommend latest stable
- If currently on pre-release → recommend latest pre-release (note stable alternative)
- If current == latest → mark as up-to-date
- If a major version bump → flag for careful review
4. Review Changes (For Major/Minor Bumps)
For packages with version changes beyond patch-level, help the user assess risk:
- Find the project/release page — Search for the package's GitHub repository or changelog
- Summarize notable changes — Breaking changes, new features, deprecations
- Check for known issues — Look for open issues related to the new version
- Assess impact — Which Aspire projects reference this package?
# Find which projects reference a package
grep -r "PackageReference.*Include=\"Hex1b\"" src/ tests/ --include="*.csproj" -l
Use the ask_user tool to confirm which packages and versions to proceed with before triggering any pipelines.
5. Check Prerequisites
Before triggering pipelines, verify the Azure DevOps tooling is ready:
dotnet .github/skills/dependency-update/MigratePackage.cs -- --check-prereqs
If prerequisites fail, guide the user through setup:
Azure CLI not installed:
Install from: https://learn.microsoft.com/cli/azure/install-azure-cli
Not logged in:
az login
Wrong tenant (the script auto-detects the Microsoft corp tenant, but if that fails):
az login --tenant 72f988bf-86f1-41af-91ab-2d7cd011db47
6. Trigger Pipeline for Each Package
Run the companion script for each confirmed package. Process one package at a time:
dotnet .github/skills/dependency-update/MigratePackage.cs -- "<PackageName>" "<PackageVersion>"
The script will:
- Authenticate via Azure.Identity (AzureCliCredential)
- Trigger the
dotnet-migrate-packagepipeline usingPipelinesHttpClient.RunPipelineAsync - Poll every 30 seconds via
PipelinesHttpClient.GetRunAsyncuntil completion (default 15-minute timeout) - Report success or failure
Example:
dotnet .github/skills/dependency-update/MigratePackage.cs -- "Hex1b" "0.49.0"
dotnet .github/skills/dependency-update/MigratePackage.cs -- "Hex1b.McpServer" "0.49.0"
If a pipeline run fails, stop and report the failure to the user before proceeding with additional packages. Include the Azure DevOps run URL for investigation.
7. Update Directory.Packages.props
After each pipeline run succeeds, update the version in Directory.Packages.props:
<!-- Before -->
<PackageVersion Include="Hex1b" Version="0.48.0" />
<!-- After -->
<PackageVersion Include="Hex1b" Version="0.49.0" />
Important considerations:
- Some packages share versions (e.g.,
Hex1bandHex1b.McpServer). Update all related packages together. - Some packages have version properties defined in
eng/Versions.propsinstead of inline. Check both files. - Don't modify packages in the
<!-- Package versions defined directly in <reporoot>/Directory.Packages.props -->section ofeng/Versions.props— those are managed by Dependency Flow automation.
8. Verify the Build
After updating versions, verify the project still builds:
# Quick build check (skip native AOT to save time)
./build.sh --build /p:SkipNativeBuild=true
If the build fails due to API changes in the updated package, report the errors and help the user fix them.
9. Summarize Results
Provide a final summary:
## Dependency Update Complete
### ✅ Successfully Updated
| Package | Previous | New | Pipeline Run |
|---------|----------|-----|-------------|
| Hex1b | 0.48.0 | 0.49.0 | [Run 12345](https://dev.azure.com/...) |
| Hex1b.McpServer | 0.48.0 | 0.49.0 | [Run 12346](https://dev.azure.com/...) |
### ❌ Failed
| Package | Version | Reason |
|---------|---------|--------|
| (none) | | |
### 📋 Files Modified
- `Directory.Packages.props` — Updated 2 package versions
### Next Steps
- Review the changes with `git diff`
- Run targeted tests for affected projects
- Create a PR with the updates
Handling Related Package Families
Some packages should be updated together. Common families in this repo:
- Hex1b:
Hex1b,Hex1b.McpServer,Hex1b.Tool - Azure.Provisioning:
Azure.Provisioning,Azure.Provisioning.* - OpenTelemetry:
OpenTelemetry.*— versions are split across two locations:Directory.Packages.props(external deps section):OpenTelemetry.Exporter.Console,OpenTelemetry.Exporter.InMemory,OpenTelemetry.Instrumentation.GrpcNetClient— these have hardcoded versions and should be updated directly.eng/Versions.props(OTel section):OpenTelemetry.Instrumentation.AspNetCore,OpenTelemetry.Instrumentation.Http,OpenTelemetry.Extensions.Hosting,OpenTelemetry.Instrumentation.Runtime,OpenTelemetry.Exporter.OpenTelemetryProtocol,Azure.Monitor.OpenTelemetry.Exporter— these use MSBuild version properties and must be updated ineng/Versions.props. All OTel packages should be kept in sync at the same version when possible.
- AspNetCore.HealthChecks:
AspNetCore.HealthChecks.* - Grpc:
Grpc.AspNetCore,Grpc.Net.ClientFactory,Grpc.Tools - Polly:
Polly.Core,Polly.Extensions - Azure SDK:
Azure.Messaging.*,Azure.Storage.*,Azure.Security.* - ModelContextProtocol:
ModelContextProtocol
When updating one member of a family, check if other mem
Content truncated.
More by dotnet
View all skills by dotnet →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 serversDeepWiki converts deepwiki.com pages into clean Markdown, with fast, secure extraction—perfect as a PDF text, page, or i
TypeScript Refactoring offers advanced TypeScript/JavaScript code analysis and intelligent refactoring for seamless and
Daipendency — View narrative and API docs for the exact version of any Rust dependency. Precise crate API documentation
Alby Bitcoin Payments: connect Lightning wallets via Nostr Wallet Connect for crypto payments, invoices, balance & histo
Organize projects using leading project track software. Convert tasks with dependency tracking for optimal time manageme
Easily search npm and other repositories with Package Manager. Get package, version, and dependency info fast. Supports
Stay ahead of the MCP ecosystem
Get weekly updates on new skills and servers.