diff --git a/.github/workflows/weekly-refresh.yml b/.github/workflows/weekly-refresh.yml index f3e415a..90b0b4b 100644 --- a/.github/workflows/weekly-refresh.yml +++ b/.github/workflows/weekly-refresh.yml @@ -21,7 +21,15 @@ jobs: with: python-version: "3.12" + - name: Refresh Tutorial Snapshots + env: + GITHUB_TOKEN: ${{ secrets.GITHUB_TOKEN }} + run: | + python scripts/refresh_tutorial_snapshots.py + - name: Regenerate Repository Docs Assets + env: + GITHUB_TOKEN: ${{ secrets.GITHUB_TOKEN }} run: | python scripts/generate_tutorial_manifest.py python scripts/update_tutorials_readme_snapshot.py diff --git a/scripts/refresh_tutorial_snapshots.py b/scripts/refresh_tutorial_snapshots.py new file mode 100644 index 0000000..11331b4 --- /dev/null +++ b/scripts/refresh_tutorial_snapshots.py @@ -0,0 +1,317 @@ +#!/usr/bin/env python3 +"""Refresh Current Snapshot sections in tutorial README.md files. + +For each tutorial: +1. Read the README.md +2. Look up source repo from tutorial-source-verification.json +3. Fetch latest repo metadata and release from GitHub API +4. Update or insert the Current Snapshot section +""" + +from __future__ import annotations + +import argparse +import json +import os +import re +import sys +from concurrent.futures import ThreadPoolExecutor, as_completed +from datetime import datetime, timezone +from pathlib import Path +from typing import Any +from urllib.error import HTTPError, URLError +from urllib.request import Request, urlopen + +# --------------------------------------------------------------------------- +# GitHub API helpers +# --------------------------------------------------------------------------- + +def _gh_request(url: str, token: str | None) -> dict[str, Any] | None: + req = Request(url) + req.add_header("Accept", "application/vnd.github+json") + req.add_header("User-Agent", "awesome-code-docs-snapshot-refresh") + if token: + req.add_header("Authorization", f"Bearer {token}") + try: + with urlopen(req, timeout=30) as resp: + return json.loads(resp.read().decode("utf-8")) + except HTTPError as exc: + if exc.code == 404: + return None + if exc.code == 403: + print(f" RATE LIMITED on {url}", file=sys.stderr) + return None + print(f" HTTP {exc.code} on {url}", file=sys.stderr) + return None + except URLError as exc: + print(f" URL error on {url}: {exc.reason}", file=sys.stderr) + return None + + +def fetch_repo_data(repo: str, token: str | None) -> dict[str, Any]: + """Fetch repo metadata + latest release for a GitHub repo.""" + base = _gh_request(f"https://api.github.com/repos/{repo}", token) + if not base: + return {"repo": repo, "stars": None, "release_tag": None} + + stars = base.get("stargazers_count", 0) + archived = base.get("archived", False) + pushed_at = base.get("pushed_at", "") + + release = _gh_request( + f"https://api.github.com/repos/{repo}/releases/latest", token + ) + release_tag = None + release_date = None + if release and not release.get("prerelease"): + release_tag = release.get("tag_name") + pub = release.get("published_at", "") + if pub: + try: + release_date = datetime.fromisoformat( + pub.replace("Z", "+00:00") + ).strftime("%Y-%m-%d") + except ValueError: + pass + + return { + "repo": repo, + "stars": stars, + "archived": archived, + "pushed_at": pushed_at, + "release_tag": release_tag, + "release_date": release_date, + } + + +# --------------------------------------------------------------------------- +# Source mapping +# --------------------------------------------------------------------------- + +def load_source_mapping(root: Path) -> dict[str, str]: + """Build {tutorial_slug: primary_repo} from verification JSON.""" + verify_path = root / "discoverability" / "tutorial-source-verification.json" + if not verify_path.is_file(): + print(f"Missing {verify_path}", file=sys.stderr) + return {} + + data = json.loads(verify_path.read_text(encoding="utf-8")) + tutorials_root = root / "tutorials" + + # Build repo -> tutorial slug mapping from the per-tutorial records + slug_to_repo: dict[str, str] = {} + for entry in data.get("top_verified_repos_by_stars", []): + repo = entry.get("repo", "") + if not repo: + continue + # Find which tutorial(s) reference this repo + # We need to scan tutorial README.md files for the repo URL + pass + + # Alternative approach: scan each tutorial README.md for the first GitHub repo link + github_re = re.compile( + r"https://github\.com/([A-Za-z0-9_.-]+/[A-Za-z0-9_.-]+)" + ) + for tdir in sorted(tutorials_root.iterdir()): + if not tdir.is_dir(): + continue + readme = tdir / "README.md" + if not readme.is_file(): + continue + text = readme.read_text(encoding="utf-8") + # Look for repo in Current Snapshot section first + snapshot_match = re.search( + r"repository:\s*\[`([^`]+)`\]", text + ) + if snapshot_match: + slug_to_repo[tdir.name] = snapshot_match.group(1) + continue + # Fall back to first GitHub repo badge + badge_match = re.search( + r"GitHub-([A-Za-z0-9_.-]+%2F[A-Za-z0-9_.-]+)", text + ) + if badge_match: + slug_to_repo[tdir.name] = badge_match.group(1).replace("%2F", "/") + continue + # Fall back to first GitHub link after the title + links = github_re.findall(text) + # Filter out common non-repo links + for link in links: + parts = link.split("/") + if len(parts) >= 2 and parts[0] not in ( + "johnxie", "The-Pocket", "actions", + ): + slug_to_repo[tdir.name] = link + break + + return slug_to_repo + + +# --------------------------------------------------------------------------- +# Snapshot formatting +# --------------------------------------------------------------------------- + +def format_stars(count: int) -> str: + """Format star count as human-readable string.""" + if count >= 1000: + val = count / 1000 + if val >= 100: + return f"**{val:,.0f}k**" + return f"**{val:,.1f}k**".replace(".0k", "k") + return f"**{count}**" + + +def build_snapshot_lines(data: dict[str, Any]) -> list[str]: + """Build the Current Snapshot section lines.""" + repo = data["repo"] + lines = [ + "## Current Snapshot (auto-updated)", + "", + f"- repository: [`{repo}`](https://github.com/{repo})", + ] + if data.get("stars") is not None: + lines.append(f"- stars: about {format_stars(data['stars'])}") + if data.get("release_tag"): + tag = data["release_tag"] + release_line = f"- latest release: [`{tag}`](https://github.com/{repo}/releases/tag/{tag})" + if data.get("release_date"): + release_line += f" (published {data['release_date']})" + lines.append(release_line) + if data.get("archived"): + lines.append("- status: **archived**") + return lines + + +# --------------------------------------------------------------------------- +# README.md update logic +# --------------------------------------------------------------------------- + +SNAPSHOT_HEADING = re.compile(r"^## Current Snapshot", re.MULTILINE) +NEXT_H2 = re.compile(r"^## ", re.MULTILINE) + + +def update_readme_snapshot(readme_path: Path, snapshot_lines: list[str]) -> bool: + """Update or insert Current Snapshot section in a tutorial README.md. + + Returns True if the file was modified. + """ + text = readme_path.read_text(encoding="utf-8") + new_section = "\n".join(snapshot_lines) + + m = SNAPSHOT_HEADING.search(text) + if m: + # Find the end of this section (next ## heading or EOF) + rest = text[m.end():] + next_h2 = NEXT_H2.search(rest) + if next_h2: + end_pos = m.end() + next_h2.start() + else: + end_pos = len(text) + # Replace the section + updated = text[:m.start()] + new_section + "\n\n" + text[end_pos:] + else: + # Insert after ## Why This Track Matters / ## Why This Tutorial Exists + insert_re = re.compile( + r"^(## Why This (?:Track Matters|Tutorial Exists).*?)(?=^## )", + re.MULTILINE | re.DOTALL, + ) + im = insert_re.search(text) + if im: + insert_pos = im.end() + updated = text[:insert_pos] + new_section + "\n\n" + text[insert_pos:] + else: + # Insert after first ## heading section + first_h2 = NEXT_H2.search(text) + if first_h2: + rest_after = text[first_h2.end():] + second_h2 = NEXT_H2.search(rest_after) + if second_h2: + insert_pos = first_h2.end() + second_h2.start() + else: + insert_pos = len(text) + updated = text[:insert_pos] + new_section + "\n\n" + text[insert_pos:] + else: + # Append at end + updated = text.rstrip() + "\n\n" + new_section + "\n" + + if updated == text: + return False + + readme_path.write_text(updated, encoding="utf-8") + return True + + +# --------------------------------------------------------------------------- +# Main +# --------------------------------------------------------------------------- + +def main() -> int: + parser = argparse.ArgumentParser( + description="Refresh Current Snapshot sections in tutorial README.md files" + ) + parser.add_argument("--root", default=".", help="Repository root") + parser.add_argument("--workers", type=int, default=16, help="API concurrency") + parser.add_argument("--dry-run", action="store_true", help="Print changes without writing") + args = parser.parse_args() + + root = Path(args.root).resolve() + token = os.getenv("GITHUB_TOKEN") + if not token: + print("Warning: GITHUB_TOKEN not set; API rate limit is 60 req/hr", file=sys.stderr) + + # Load tutorial -> repo mapping + slug_to_repo = load_source_mapping(root) + print(f"tutorials_mapped={len(slug_to_repo)}") + + # Deduplicate repos and fetch data + unique_repos = sorted(set(slug_to_repo.values())) + print(f"unique_repos_to_fetch={len(unique_repos)}") + + repo_data: dict[str, dict[str, Any]] = {} + with ThreadPoolExecutor(max_workers=args.workers) as pool: + futures = { + pool.submit(fetch_repo_data, repo, token): repo + for repo in unique_repos + } + for i, future in enumerate(as_completed(futures), 1): + repo = futures[future] + try: + result = future.result() + repo_data[repo] = result + except Exception as exc: + print(f" FAILED {repo}: {exc}", file=sys.stderr) + repo_data[repo] = {"repo": repo, "stars": None, "release_tag": None} + if i % 50 == 0: + print(f" fetched {i}/{len(unique_repos)}") + + print(f"repos_fetched={len(repo_data)}") + + # Update each tutorial + updated_count = 0 + skipped_count = 0 + for slug, repo in sorted(slug_to_repo.items()): + readme_path = root / "tutorials" / slug / "README.md" + if not readme_path.is_file(): + continue + + data = repo_data.get(repo) + if not data or data.get("stars") is None: + skipped_count += 1 + continue + + snapshot_lines = build_snapshot_lines(data) + + if args.dry_run: + print(f" WOULD UPDATE {slug}: {data.get('stars')} stars, release={data.get('release_tag')}") + updated_count += 1 + else: + if update_readme_snapshot(readme_path, snapshot_lines): + updated_count += 1 + + print(f"tutorials_updated={updated_count}") + print(f"tutorials_skipped={skipped_count}") + return 0 + + +if __name__ == "__main__": + raise SystemExit(main()) diff --git a/tutorials/README.md b/tutorials/README.md index 0a7689d..944a5d7 100644 --- a/tutorials/README.md +++ b/tutorials/README.md @@ -16,7 +16,7 @@ Use this guide to navigate all tutorial tracks, understand structure rules, and |:-------|:------| | Tutorial directories | 191 | | Tutorial markdown files | 1722 | -| Tutorial markdown lines | 1,048,086 | +| Tutorial markdown lines | 1,048,148 | ## Source Verification Snapshot diff --git a/tutorials/activepieces-tutorial/README.md b/tutorials/activepieces-tutorial/README.md index d6a3816..62837fb 100644 --- a/tutorials/activepieces-tutorial/README.md +++ b/tutorials/activepieces-tutorial/README.md @@ -28,11 +28,8 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`activepieces/activepieces`](https://github.com/activepieces/activepieces) -- stars: about **20.8k** -- latest release: [`0.78.1`](https://github.com/activepieces/activepieces/releases/tag/0.78.1) (**February 9, 2026**) -- recent activity: updates on **February 12, 2026** -- licensing model: MIT for Community Edition plus commercial license for enterprise package areas -- project positioning: open-source automation platform with no-code builder + TypeScript extension framework +- stars: about **21k** +- latest release: [`0.78.2`](https://github.com/activepieces/activepieces/releases/tag/0.78.2) (published 2026-02-22) ## Mental Model diff --git a/tutorials/adk-python-tutorial/README.md b/tutorials/adk-python-tutorial/README.md index 673c5ff..ebbbe90 100644 --- a/tutorials/adk-python-tutorial/README.md +++ b/tutorials/adk-python-tutorial/README.md @@ -28,10 +28,8 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`google/adk-python`](https://github.com/google/adk-python) -- stars: about **17.6k** -- latest release: [`v1.25.0`](https://github.com/google/adk-python/releases/tag/v1.25.0) -- recent activity: updates on **February 12, 2026** -- project positioning: code-first, model-agnostic framework for agent development and deployment +- stars: about **18.1k** +- latest release: [`v1.26.0`](https://github.com/google/adk-python/releases/tag/v1.26.0) (published 2026-02-26) ## Mental Model diff --git a/tutorials/ag2-tutorial/README.md b/tutorials/ag2-tutorial/README.md index 486b109..2cdca27 100644 --- a/tutorials/ag2-tutorial/README.md +++ b/tutorials/ag2-tutorial/README.md @@ -67,6 +67,12 @@ flowchart TD class H,J output ``` +## Current Snapshot (auto-updated) + +- repository: [`ag2ai/ag2`](https://github.com/ag2ai/ag2) +- stars: about **4.2k** +- latest release: [`v0.11.2`](https://github.com/ag2ai/ag2/releases/tag/v0.11.2) (published 2026-02-27) + ## Core Concepts ### Agent Types diff --git a/tutorials/agentgpt-tutorial/README.md b/tutorials/agentgpt-tutorial/README.md index a2d8995..4cafa01 100644 --- a/tutorials/agentgpt-tutorial/README.md +++ b/tutorials/agentgpt-tutorial/README.md @@ -57,6 +57,13 @@ Welcome to your journey through autonomous AI agent development! This tutorial e 7. **[Chapter 7: Advanced Agent Patterns](07-advanced-patterns.md)** - Multi-agent systems and complex workflows 8. **[Chapter 8: Production Deployment](08-production-deployment.md)** - Scaling autonomous agents for real-world use +## Current Snapshot (auto-updated) + +- repository: [`reworkd/AgentGPT`](https://github.com/reworkd/AgentGPT) +- stars: about **35.8k** +- latest release: [`v.1.0.0`](https://github.com/reworkd/AgentGPT/releases/tag/v.1.0.0) (published 2023-11-02) +- status: **archived** + ## What You'll Learn By the end of this tutorial, you'll be able to: diff --git a/tutorials/agenticseek-tutorial/README.md b/tutorials/agenticseek-tutorial/README.md index e0296f2..55d0f28 100644 --- a/tutorials/agenticseek-tutorial/README.md +++ b/tutorials/agenticseek-tutorial/README.md @@ -28,10 +28,7 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`Fosowl/agenticSeek`](https://github.com/Fosowl/agenticSeek) -- stars: about **25.0k** -- latest release: **none tagged** (rolling `main`) -- recent push activity: **November 15, 2025** -- project positioning: fully local Manus-style autonomous assistant with multi-agent routing +- stars: about **25.4k** ## Mental Model diff --git a/tutorials/agents-md-tutorial/README.md b/tutorials/agents-md-tutorial/README.md index 4ab5db2..fca6e20 100644 --- a/tutorials/agents-md-tutorial/README.md +++ b/tutorials/agents-md-tutorial/README.md @@ -28,10 +28,7 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`agentsmd/agents.md`](https://github.com/agentsmd/agents.md) -- stars: about **17.3k** -- latest release: **none tagged** (rolling `main`) -- recent activity: updates on **December 19, 2025** -- project positioning: open format specification and examples for coding-agent guidance +- stars: about **18.4k** ## Mental Model diff --git a/tutorials/agno-tutorial/README.md b/tutorials/agno-tutorial/README.md index 27fd514..af682c8 100644 --- a/tutorials/agno-tutorial/README.md +++ b/tutorials/agno-tutorial/README.md @@ -28,10 +28,8 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`agno-agi/agno`](https://github.com/agno-agi/agno) -- stars: about **37.8k** -- latest release: [`v2.4.8`](https://github.com/agno-agi/agno/releases/tag/v2.4.8) -- development activity: active with frequent updates -- project positioning: multi-agent framework with learning, memory, and production runtime support +- stars: about **38.3k** +- latest release: [`v2.5.5`](https://github.com/agno-agi/agno/releases/tag/v2.5.5) (published 2026-02-25) ## Mental Model diff --git a/tutorials/aider-tutorial/README.md b/tutorials/aider-tutorial/README.md index 56977e4..70ecf21 100644 --- a/tutorials/aider-tutorial/README.md +++ b/tutorials/aider-tutorial/README.md @@ -28,10 +28,8 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`Aider-AI/aider`](https://github.com/Aider-AI/aider) -- stars: about **40.5k** -- latest release: [`v0.86.0`](https://github.com/Aider-AI/aider/releases/tag/v0.86.0) -- package name in source: `aider-chat` -- Python requirement in source: `>=3.10,<3.13` +- stars: about **41.1k** +- latest release: [`v0.86.0`](https://github.com/Aider-AI/aider/releases/tag/v0.86.0) (published 2025-08-09) ## Mental Model diff --git a/tutorials/anthropic-skills-tutorial/README.md b/tutorials/anthropic-skills-tutorial/README.md index c3da8da..ca3e457 100644 --- a/tutorials/anthropic-skills-tutorial/README.md +++ b/tutorials/anthropic-skills-tutorial/README.md @@ -123,9 +123,8 @@ Ready to begin? Start with [Chapter 1: Getting Started](01-getting-started.md). ## Current Snapshot (auto-updated) -- repository: [anthropics/skills](https://github.com/anthropics/skills) -- stars: about **1.2K** -- project positioning: official reference implementation for the Agent Skills format specification +- repository: [`anthropics/skills`](https://github.com/anthropics/skills) +- stars: about **81.2k** ## What You Will Learn diff --git a/tutorials/anything-llm-tutorial/README.md b/tutorials/anything-llm-tutorial/README.md index 90343fb..41d01c0 100644 --- a/tutorials/anything-llm-tutorial/README.md +++ b/tutorials/anything-llm-tutorial/README.md @@ -28,10 +28,8 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`Mintplex-Labs/anything-llm`](https://github.com/Mintplex-Labs/anything-llm) -- stars: about **54.5k** -- latest release: [`v1.10.0`](https://github.com/Mintplex-Labs/anything-llm/releases/tag/v1.10.0) -- development activity: active with recent updates -- project positioning in repo: full-stack desktop and Docker app for RAG, agents, and MCP-compatible workflows +- stars: about **55.3k** +- latest release: [`v1.11.0`](https://github.com/Mintplex-Labs/anything-llm/releases/tag/v1.11.0) (published 2026-02-18) ## Mental Model diff --git a/tutorials/athens-research-knowledge-graph/README.md b/tutorials/athens-research-knowledge-graph/README.md index 2297094..9ce7d6a 100644 --- a/tutorials/athens-research-knowledge-graph/README.md +++ b/tutorials/athens-research-knowledge-graph/README.md @@ -114,9 +114,9 @@ Ready to begin? Start with [Chapter 1: System Overview](01-system-overview.md). ## Current Snapshot (auto-updated) -- repository: [athensresearch/athens](https://github.com/athensresearch/athens) -- stars: about **9.5K** -- project positioning: open-source Roam Research alternative with graph database architecture +- repository: [`athensresearch/athens`](https://github.com/athensresearch/athens) +- stars: about **6.3k** +- latest release: [`v2.0.0`](https://github.com/athensresearch/athens/releases/tag/v2.0.0) (published 2022-08-22) ## What You Will Learn diff --git a/tutorials/autoagent-tutorial/README.md b/tutorials/autoagent-tutorial/README.md index 4418d9e..44ab31f 100644 --- a/tutorials/autoagent-tutorial/README.md +++ b/tutorials/autoagent-tutorial/README.md @@ -29,9 +29,6 @@ This track focuses on: - repository: [`HKUDS/AutoAgent`](https://github.com/HKUDS/AutoAgent) - stars: about **8.6k** -- latest release: **none tagged** (rolling `main`) -- recent activity: repository is actively maintained; verify latest commits before rollout -- project positioning: natural-language-driven agent and workflow creation framework ## Mental Model diff --git a/tutorials/autogen-tutorial/README.md b/tutorials/autogen-tutorial/README.md index e21fa40..414914c 100644 --- a/tutorials/autogen-tutorial/README.md +++ b/tutorials/autogen-tutorial/README.md @@ -58,6 +58,12 @@ Welcome to your journey through multi-agent AI systems! This tutorial explores h 7. **[Chapter 7: Multi-Agent Workflows](07-multi-agent-workflows.md)** - Orchestrating complex agent interactions 8. **[Chapter 8: Production Deployment](08-production-deployment.md)** - Scaling multi-agent systems for real-world applications +## Current Snapshot (auto-updated) + +- repository: [`microsoft/autogen`](https://github.com/microsoft/autogen) +- stars: about **55.1k** +- latest release: [`python-v0.7.5`](https://github.com/microsoft/autogen/releases/tag/python-v0.7.5) (published 2025-09-30) + ## What You'll Learn By the end of this tutorial, you'll be able to: diff --git a/tutorials/awesome-claude-code-tutorial/README.md b/tutorials/awesome-claude-code-tutorial/README.md index fc07c63..e8d4688 100644 --- a/tutorials/awesome-claude-code-tutorial/README.md +++ b/tutorials/awesome-claude-code-tutorial/README.md @@ -28,10 +28,7 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`hesreallyhim/awesome-claude-code`](https://github.com/hesreallyhim/awesome-claude-code) -- stars: about **23.5k** -- latest release: no tagged GitHub release published yet -- recent activity: updates on **February 12, 2026** -- project positioning: highly active curated index for Claude Code ecosystem resources +- stars: about **25.8k** ## Mental Model diff --git a/tutorials/awesome-claude-skills-tutorial/README.md b/tutorials/awesome-claude-skills-tutorial/README.md index 9ded4e2..58d3653 100644 --- a/tutorials/awesome-claude-skills-tutorial/README.md +++ b/tutorials/awesome-claude-skills-tutorial/README.md @@ -28,10 +28,7 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`ComposioHQ/awesome-claude-skills`](https://github.com/ComposioHQ/awesome-claude-skills) -- stars: about **34.2k** -- latest release: no tagged GitHub release published yet -- recent activity: updates on **February 11, 2026** -- project positioning: high-volume curated skills ecosystem for Claude workflows and app automation +- stars: about **39.6k** ## Mental Model diff --git a/tutorials/awesome-mcp-servers-tutorial/README.md b/tutorials/awesome-mcp-servers-tutorial/README.md index f9c508e..659f610 100644 --- a/tutorials/awesome-mcp-servers-tutorial/README.md +++ b/tutorials/awesome-mcp-servers-tutorial/README.md @@ -28,10 +28,7 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`punkpeye/awesome-mcp-servers`](https://github.com/punkpeye/awesome-mcp-servers) -- stars: about **80.7k** -- latest release: no tagged GitHub release published -- recent activity: updates on **February 11, 2026** -- project positioning: primary high-volume discovery hub for MCP server implementations +- stars: about **82k** ## Mental Model diff --git a/tutorials/awslabs-mcp-tutorial/README.md b/tutorials/awslabs-mcp-tutorial/README.md index 5dd16b9..1eec312 100644 --- a/tutorials/awslabs-mcp-tutorial/README.md +++ b/tutorials/awslabs-mcp-tutorial/README.md @@ -28,11 +28,8 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`awslabs/mcp`](https://github.com/awslabs/mcp) -- stars: about **8.1k** -- latest release: [`2026.02.20260212091017`](https://github.com/awslabs/mcp/releases/tag/2026.02.20260212091017) (**February 12, 2026**) -- license: Apache-2.0 -- recent activity: updates on **February 12, 2026** -- project positioning: official AWS MCP server ecosystem spanning multiple solution domains +- stars: about **8.3k** +- latest release: [`2026.02.20260224185711`](https://github.com/awslabs/mcp/releases/tag/2026.02.20260224185711) (published 2026-02-24) ## Mental Model diff --git a/tutorials/babyagi-tutorial/README.md b/tutorials/babyagi-tutorial/README.md index 4d6e6f5..c24962d 100644 --- a/tutorials/babyagi-tutorial/README.md +++ b/tutorials/babyagi-tutorial/README.md @@ -28,12 +28,7 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`yoheinakajima/babyagi`](https://github.com/yoheinakajima/babyagi) -- stars: about **18k** -- original release: **March 2023** -- author: Yohei Nakajima -- license: MIT -- recent activity: ongoing evolution via babyagi-2o and babyagi3 branches -- project positioning: foundational reference implementation for autonomous task-based AI agents +- stars: about **22.2k** ## Mental Model diff --git a/tutorials/beads-tutorial/README.md b/tutorials/beads-tutorial/README.md index 49779af..9c35b08 100644 --- a/tutorials/beads-tutorial/README.md +++ b/tutorials/beads-tutorial/README.md @@ -28,10 +28,8 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`steveyegge/beads`](https://github.com/steveyegge/beads) -- stars: about **16.0k** -- latest release: [`v0.49.6`](https://github.com/steveyegge/beads/releases/tag/v0.49.6) -- recent activity: updates on **February 12, 2026** -- project positioning: distributed, git-backed graph issue tracker for coding agents +- stars: about **17.9k** +- latest release: [`v0.57.0`](https://github.com/steveyegge/beads/releases/tag/v0.57.0) (published 2026-03-01) ## Mental Model diff --git a/tutorials/bentoml-tutorial/README.md b/tutorials/bentoml-tutorial/README.md index 80dec72..66fe273 100644 --- a/tutorials/bentoml-tutorial/README.md +++ b/tutorials/bentoml-tutorial/README.md @@ -62,6 +62,12 @@ Welcome to your journey through production ML deployment! This tutorial explores 7. **[Chapter 7: Monitoring & Observability](07-monitoring-observability.md)** - Performance monitoring and logging 8. **[Chapter 8: Production Scaling](08-production-scaling.md)** - Scaling ML services for high traffic +## Current Snapshot (auto-updated) + +- repository: [`bentoml/BentoML`](https://github.com/bentoml/BentoML) +- stars: about **8.5k** +- latest release: [`v1.4.35`](https://github.com/bentoml/BentoML/releases/tag/v1.4.35) (published 2026-02-03) + ## What You'll Learn By the end of this tutorial, you'll be able to: diff --git a/tutorials/bolt-diy-tutorial/README.md b/tutorials/bolt-diy-tutorial/README.md index 99f0d36..554e255 100644 --- a/tutorials/bolt-diy-tutorial/README.md +++ b/tutorials/bolt-diy-tutorial/README.md @@ -26,10 +26,8 @@ Most bolt.diy guides stop at setup. This track is for engineers and teams that w ## Current Snapshot (auto-updated) - repository: [`stackblitz-labs/bolt.diy`](https://github.com/stackblitz-labs/bolt.diy) -- stars: about **19k** -- latest stable release: [`v1.0.0`](https://github.com/stackblitz-labs/bolt.diy/releases/tag/v1.0.0) (published May 12, 2025) -- default branch activity: active (`main`, recent pushes) -- package manager from source: `pnpm@9.14.4` +- stars: about **19.1k** +- latest release: [`v1.0.0`](https://github.com/stackblitz-labs/bolt.diy/releases/tag/v1.0.0) (published 2025-05-12) ## Mental Model diff --git a/tutorials/botpress-tutorial/README.md b/tutorials/botpress-tutorial/README.md index a86dd04..a6034bf 100644 --- a/tutorials/botpress-tutorial/README.md +++ b/tutorials/botpress-tutorial/README.md @@ -29,6 +29,12 @@ This comprehensive tutorial will guide you through Botpress, a powerful open sou - **Analytics & Insights**: Monitor bot performance and user interactions - **Enterprise Features**: Scale bots for production use with advanced security +## Current Snapshot (auto-updated) + +- repository: [`botpress/botpress`](https://github.com/botpress/botpress) +- stars: about **14.6k** +- latest release: [`v12.30.9`](https://github.com/botpress/botpress/releases/tag/v12.30.9) (published 2023-06-22) + ## 📚 Tutorial Chapters 1. **[Getting Started with Botpress](01-getting-started.md)** - Installation, setup, and first chatbot diff --git a/tutorials/browser-use-tutorial/README.md b/tutorials/browser-use-tutorial/README.md index a73647e..4b14394 100644 --- a/tutorials/browser-use-tutorial/README.md +++ b/tutorials/browser-use-tutorial/README.md @@ -28,10 +28,8 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`browser-use/browser-use`](https://github.com/browser-use/browser-use) -- stars: about **78.2k** -- latest release: [`0.11.9`](https://github.com/browser-use/browser-use/releases/tag/0.11.9) -- development activity: active with frequent updates -- project positioning in repo: framework for autonomous browser agents with cloud and local workflows +- stars: about **79.4k** +- latest release: [`0.12.0`](https://github.com/browser-use/browser-use/releases/tag/0.12.0) (published 2026-02-26) ## Mental Model diff --git a/tutorials/chatbox-tutorial/README.md b/tutorials/chatbox-tutorial/README.md index bb8e3c3..89b8475 100644 --- a/tutorials/chatbox-tutorial/README.md +++ b/tutorials/chatbox-tutorial/README.md @@ -56,6 +56,12 @@ Welcome to your journey through modern AI chat interface development! This tutor 7. **[Chapter 7: Plugin Architecture](07-plugin-system.md)** - Extending functionality 8. **[Chapter 8: Production Deployment](08-production-deployment.md)** - Building and distributing chat applications +## Current Snapshot (auto-updated) + +- repository: [`Bin-Huang/chatbox`](https://github.com/Bin-Huang/chatbox) +- stars: about **38.7k** +- latest release: [`v1.19.0`](https://github.com/Bin-Huang/chatbox/releases/tag/v1.19.0) (published 2026-02-13) + ## What You'll Learn By the end of this tutorial, you'll be able to: diff --git a/tutorials/cherry-studio-tutorial/README.md b/tutorials/cherry-studio-tutorial/README.md index 192b632..848fe55 100644 --- a/tutorials/cherry-studio-tutorial/README.md +++ b/tutorials/cherry-studio-tutorial/README.md @@ -28,10 +28,8 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`CherryHQ/cherry-studio`](https://github.com/CherryHQ/cherry-studio) -- stars: about **39.7k** -- latest release: [`v1.7.18`](https://github.com/CherryHQ/cherry-studio/releases/tag/v1.7.18) -- recent activity: updates on **February 12, 2026** -- project positioning: cross-platform AI productivity studio with assistant + MCP ecosystem +- stars: about **40.5k** +- latest release: [`v1.7.22`](https://github.com/CherryHQ/cherry-studio/releases/tag/v1.7.22) (published 2026-03-02) ## Mental Model diff --git a/tutorials/chroma-tutorial/README.md b/tutorials/chroma-tutorial/README.md index 42da8fa..28d4e79 100644 --- a/tutorials/chroma-tutorial/README.md +++ b/tutorials/chroma-tutorial/README.md @@ -57,6 +57,12 @@ Welcome to your journey through AI-native vector databases! This tutorial explor 7. **[Chapter 7: Production Deployment](07-production-deployment.md)** - Scaling Chroma for production workloads 8. **[Chapter 8: Performance Optimization](08-performance-optimization.md)** - Tuning and optimizing Chroma performance +## Current Snapshot (auto-updated) + +- repository: [`chroma-core/chroma`](https://github.com/chroma-core/chroma) +- stars: about **26.4k** +- latest release: [`1.5.2`](https://github.com/chroma-core/chroma/releases/tag/1.5.2) (published 2026-02-27) + ## What You'll Learn By the end of this tutorial, you'll be able to: diff --git a/tutorials/chrome-devtools-mcp-tutorial/README.md b/tutorials/chrome-devtools-mcp-tutorial/README.md index 7a3aea3..a73aff0 100644 --- a/tutorials/chrome-devtools-mcp-tutorial/README.md +++ b/tutorials/chrome-devtools-mcp-tutorial/README.md @@ -28,10 +28,8 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`ChromeDevTools/chrome-devtools-mcp`](https://github.com/ChromeDevTools/chrome-devtools-mcp) -- stars: about **24.1k** -- latest release: [`chrome-devtools-mcp-v0.17.0`](https://github.com/ChromeDevTools/chrome-devtools-mcp/releases/tag/chrome-devtools-mcp-v0.17.0) -- recent activity: updates on **February 11, 2026** -- project positioning: MCP server for browser automation, debugging, and performance analysis +- stars: about **27.2k** +- latest release: [`chrome-devtools-mcp-v0.18.1`](https://github.com/ChromeDevTools/chrome-devtools-mcp/releases/tag/chrome-devtools-mcp-v0.18.1) (published 2026-02-25) ## Mental Model diff --git a/tutorials/cipher-tutorial/README.md b/tutorials/cipher-tutorial/README.md index df33442..8e7e8ab 100644 --- a/tutorials/cipher-tutorial/README.md +++ b/tutorials/cipher-tutorial/README.md @@ -29,9 +29,7 @@ This track focuses on: - repository: [`campfirein/cipher`](https://github.com/campfirein/cipher) - stars: about **3.5k** -- latest release: [`v0.3.0`](https://github.com/campfirein/cipher/releases/tag/v0.3.0) -- recent activity: updates on **January 25, 2026** -- project positioning: MCP-compatible memory layer for coding agents +- latest release: [`v0.3.0`](https://github.com/campfirein/cipher/releases/tag/v0.3.0) (published 2025-08-28) ## Mental Model diff --git a/tutorials/claude-code-router-tutorial/README.md b/tutorials/claude-code-router-tutorial/README.md index b7d56ef..e7a7827 100644 --- a/tutorials/claude-code-router-tutorial/README.md +++ b/tutorials/claude-code-router-tutorial/README.md @@ -28,10 +28,7 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`musistudio/claude-code-router`](https://github.com/musistudio/claude-code-router) -- stars: about **27.7k** -- latest release: no tagged GitHub release published yet -- recent activity: updates on **January 10, 2026** -- project positioning: multi-provider Claude Code routing layer with CLI + server architecture +- stars: about **28.8k** ## Mental Model diff --git a/tutorials/claude-code-tutorial/README.md b/tutorials/claude-code-tutorial/README.md index b43de2f..f702128 100644 --- a/tutorials/claude-code-tutorial/README.md +++ b/tutorials/claude-code-tutorial/README.md @@ -28,10 +28,8 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`anthropics/claude-code`](https://github.com/anthropics/claude-code) -- stars: about **66.1k** -- latest release: [`v2.1.39`](https://github.com/anthropics/claude-code/releases/tag/v2.1.39) -- official docs and guides: Claude Code section in Anthropic docs -- focus areas in project docs: terminal agent workflows, approvals, and integration patterns +- stars: about **72.7k** +- latest release: [`v2.1.63`](https://github.com/anthropics/claude-code/releases/tag/v2.1.63) (published 2026-02-28) ## Mental Model diff --git a/tutorials/claude-flow-tutorial/README.md b/tutorials/claude-flow-tutorial/README.md index da0b004..ed61a3c 100644 --- a/tutorials/claude-flow-tutorial/README.md +++ b/tutorials/claude-flow-tutorial/README.md @@ -28,11 +28,8 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`ruvnet/claude-flow`](https://github.com/ruvnet/claude-flow) -- stars: about **14.0k** -- latest release: [`v2.7.1-agentic-flow-1.7.4`](https://github.com/ruvnet/claude-flow/releases/tag/v2.7.1-agentic-flow-1.7.4) -- license: MIT -- recent activity: repository is actively maintained; verify latest commits for current status -- project positioning: orchestration layer for Claude-centered multi-agent workflows with V3 modular package split +- stars: about **17.8k** +- latest release: [`v2.7.1-agentic-flow-1.7.4`](https://github.com/ruvnet/claude-flow/releases/tag/v2.7.1-agentic-flow-1.7.4) (published 2025-10-24) ## Mental Model diff --git a/tutorials/claude-mem-tutorial/README.md b/tutorials/claude-mem-tutorial/README.md index 70f2932..a8d3f0e 100644 --- a/tutorials/claude-mem-tutorial/README.md +++ b/tutorials/claude-mem-tutorial/README.md @@ -28,10 +28,8 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`thedotmack/claude-mem`](https://github.com/thedotmack/claude-mem) -- stars: about **27.4k** -- latest release: [`v10.0.4`](https://github.com/thedotmack/claude-mem/releases/tag/v10.0.4) -- recent activity: updates on **February 12, 2026** -- project positioning: persistent context and memory compression plugin for Claude Code +- stars: about **32.3k** +- latest release: [`v10.5.2`](https://github.com/thedotmack/claude-mem/releases/tag/v10.5.2) (published 2026-02-26) ## Mental Model diff --git a/tutorials/claude-plugins-official-tutorial/README.md b/tutorials/claude-plugins-official-tutorial/README.md index fadd6f7..460d3a3 100644 --- a/tutorials/claude-plugins-official-tutorial/README.md +++ b/tutorials/claude-plugins-official-tutorial/README.md @@ -27,10 +27,7 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`anthropics/claude-plugins-official`](https://github.com/anthropics/claude-plugins-official) -- stars: about **7.3k** -- latest release: **none tagged** (rolling `main`) -- recent activity: updates on **February 11, 2026** -- project positioning: Anthropic-managed directory for Claude Code plugins +- stars: about **8.8k** ## Mental Model diff --git a/tutorials/claude-quickstarts-tutorial/README.md b/tutorials/claude-quickstarts-tutorial/README.md index bb50187..257a3e2 100644 --- a/tutorials/claude-quickstarts-tutorial/README.md +++ b/tutorials/claude-quickstarts-tutorial/README.md @@ -264,9 +264,8 @@ Ready to begin? Start with [Chapter 1: Getting Started](01-getting-started.md). ## Current Snapshot (auto-updated) -- repository: [anthropics/anthropic-quickstarts](https://github.com/anthropics/anthropic-quickstarts) -- stars: about **7.5K** -- project positioning: official Anthropic reference projects for production Claude integrations +- repository: [`anthropics/anthropic-quickstarts`](https://github.com/anthropics/anthropic-quickstarts) +- stars: about **15k** ## What You Will Learn diff --git a/tutorials/claude-squad-tutorial/README.md b/tutorials/claude-squad-tutorial/README.md index f65b39d..cfb2e13 100644 --- a/tutorials/claude-squad-tutorial/README.md +++ b/tutorials/claude-squad-tutorial/README.md @@ -28,10 +28,8 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`smtg-ai/claude-squad`](https://github.com/smtg-ai/claude-squad) -- stars: about **6.0k** -- latest release: [`v1.0.14`](https://github.com/smtg-ai/claude-squad/releases/tag/v1.0.14) -- recent activity: updates on **December 24, 2025** -- project positioning: terminal orchestrator for multiple agent sessions +- stars: about **6.2k** +- latest release: [`v1.0.16`](https://github.com/smtg-ai/claude-squad/releases/tag/v1.0.16) (published 2026-03-01) ## Mental Model diff --git a/tutorials/claude-task-master-tutorial/README.md b/tutorials/claude-task-master-tutorial/README.md index 71b9f2a..2c3a071 100644 --- a/tutorials/claude-task-master-tutorial/README.md +++ b/tutorials/claude-task-master-tutorial/README.md @@ -58,6 +58,12 @@ Welcome to your journey through AI-powered task management! This tutorial explor 7. **[Chapter 7: Automation](07-automation.md)** - Automating recurring workflows and task orchestration 8. **[Chapter 8: Production Project Management](08-production.md)** - Scaling Task Master for large projects +## Current Snapshot (auto-updated) + +- repository: [`eyaltoledano/claude-task-master`](https://github.com/eyaltoledano/claude-task-master) +- stars: about **25.7k** +- latest release: [`task-master-ai@0.43.0`](https://github.com/eyaltoledano/claude-task-master/releases/tag/task-master-ai@0.43.0) (published 2026-02-04) + ## What You'll Learn By the end of this tutorial, you'll be able to: diff --git a/tutorials/clickhouse-tutorial/README.md b/tutorials/clickhouse-tutorial/README.md index f564122..c9c41be 100644 --- a/tutorials/clickhouse-tutorial/README.md +++ b/tutorials/clickhouse-tutorial/README.md @@ -62,6 +62,12 @@ Welcome to your journey through high-performance analytical databases! This tuto 7. **[Chapter 7: Performance Tuning](07-performance-tuning.md)** - Optimization techniques and monitoring 8. **[Chapter 8: Production Deployment](08-production-deployment.md)** - Scaling, backup, and enterprise features +## Current Snapshot (auto-updated) + +- repository: [`ClickHouse/ClickHouse`](https://github.com/ClickHouse/ClickHouse) +- stars: about **46.1k** +- latest release: [`v26.2.3.2-stable`](https://github.com/ClickHouse/ClickHouse/releases/tag/v26.2.3.2-stable) (published 2026-03-02) + ## What You'll Learn By the end of this tutorial, you'll be able to: diff --git a/tutorials/cline-tutorial/README.md b/tutorials/cline-tutorial/README.md index 1ae3c68..eae433d 100644 --- a/tutorials/cline-tutorial/README.md +++ b/tutorials/cline-tutorial/README.md @@ -28,10 +28,8 @@ This tutorial focuses on those outcomes. ## Current Snapshot (auto-updated) - repository: [`cline/cline`](https://github.com/cline/cline) -- stars: about **57.8k** -- latest release: [`v3.57.1`](https://github.com/cline/cline/releases/tag/v3.57.1) -- extension package version in source: `3.57.1` -- docs surface includes: CLI, MCP integration, hooks, plan/act, worktrees, tasks, enterprise controls +- stars: about **58.6k** +- latest release: [`v3.68.0`](https://github.com/cline/cline/releases/tag/v3.68.0) (published 2026-02-27) ## Cline Operating Model diff --git a/tutorials/codemachine-cli-tutorial/README.md b/tutorials/codemachine-cli-tutorial/README.md index 6018fe7..f668222 100644 --- a/tutorials/codemachine-cli-tutorial/README.md +++ b/tutorials/codemachine-cli-tutorial/README.md @@ -29,9 +29,7 @@ This track focuses on: - repository: [`moazbuilds/CodeMachine-CLI`](https://github.com/moazbuilds/CodeMachine-CLI) - stars: about **2.3k** -- latest release: [`v0.8.0`](https://github.com/moazbuilds/CodeMachine-CLI/releases/tag/v0.8.0) -- development activity: active with recent updates -- project positioning: orchestration layer for coding-agent engines (Claude/Codex/Cursor and others) +- latest release: [`v0.8.0`](https://github.com/moazbuilds/CodeMachine-CLI/releases/tag/v0.8.0) (published 2026-02-02) ## Mental Model diff --git a/tutorials/codex-analysis-platform/README.md b/tutorials/codex-analysis-platform/README.md index 09f5fcb..077e9d5 100644 --- a/tutorials/codex-analysis-platform/README.md +++ b/tutorials/codex-analysis-platform/README.md @@ -26,10 +26,9 @@ This track focuses on: ## Current Snapshot (auto-updated) -- tutorial scope: design and implementation patterns for code analysis platforms -- primary references: TypeScript Compiler API, Babel parser/traverse, Tree-sitter, and LSP specification -- chapter set includes architecture -> implementation -> operations -- structure and links validated by repository docs-health checks +- repository: [`microsoft/TypeScript`](https://github.com/microsoft/TypeScript) +- stars: about **108k** +- latest release: [`v5.9.3`](https://github.com/microsoft/TypeScript/releases/tag/v5.9.3) (published 2025-10-01) ## Mental Model diff --git a/tutorials/codex-cli-tutorial/README.md b/tutorials/codex-cli-tutorial/README.md index dcabf3b..7b95d62 100644 --- a/tutorials/codex-cli-tutorial/README.md +++ b/tutorials/codex-cli-tutorial/README.md @@ -28,10 +28,8 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`openai/codex`](https://github.com/openai/codex) -- stars: about **60.0k** -- latest release: [`rust-v0.99.0`](https://github.com/openai/codex/releases/tag/rust-v0.99.0) -- recent activity: updates on **February 12, 2026** -- project positioning: lightweight terminal coding agent with local-first execution model +- stars: about **62.7k** +- latest release: [`rust-v0.106.0`](https://github.com/openai/codex/releases/tag/rust-v0.106.0) (published 2026-02-26) ## Mental Model diff --git a/tutorials/comfyui-tutorial/README.md b/tutorials/comfyui-tutorial/README.md index 8ba5bb7..927780d 100644 --- a/tutorials/comfyui-tutorial/README.md +++ b/tutorials/comfyui-tutorial/README.md @@ -63,6 +63,12 @@ Welcome to your journey through advanced AI image generation! This tutorial expl 7. **[Chapter 7: Advanced Workflows & Automation](07-advanced-workflows.md)** - Complex multi-step generation pipelines 8. **[Chapter 8: Production & Optimization](08-production-optimization.md)** - Performance tuning and batch processing +## Current Snapshot (auto-updated) + +- repository: [`comfyanonymous/ComfyUI`](https://github.com/comfyanonymous/ComfyUI) +- stars: about **105k** +- latest release: [`v0.15.1`](https://github.com/comfyanonymous/ComfyUI/releases/tag/v0.15.1) (published 2026-02-26) + ## What You'll Learn By the end of this tutorial, you'll be able to: diff --git a/tutorials/composio-tutorial/README.md b/tutorials/composio-tutorial/README.md index 19a2e4b..7d64960 100644 --- a/tutorials/composio-tutorial/README.md +++ b/tutorials/composio-tutorial/README.md @@ -28,11 +28,8 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`ComposioHQ/composio`](https://github.com/ComposioHQ/composio) -- stars: about **26.5k** -- latest release: [`v0.11.1`](https://github.com/ComposioHQ/composio/releases/tag/v0.11.1) (**February 10, 2026**) -- default branch: `next` -- recent activity: updates on **February 12, 2026** -- project positioning: unified SDK/control layer for tool-enabled agent workflows +- stars: about **27.2k** +- latest release: [`@composio/cli@0.1.33`](https://github.com/ComposioHQ/composio/releases/tag/@composio/cli@0.1.33) (published 2026-02-28) ## Mental Model diff --git a/tutorials/compound-engineering-plugin-tutorial/README.md b/tutorials/compound-engineering-plugin-tutorial/README.md index a4b93d2..ff9627b 100644 --- a/tutorials/compound-engineering-plugin-tutorial/README.md +++ b/tutorials/compound-engineering-plugin-tutorial/README.md @@ -28,10 +28,8 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`EveryInc/compound-engineering-plugin`](https://github.com/EveryInc/compound-engineering-plugin) -- stars: about **8.5k** -- latest release: [`v0.4.0`](https://github.com/EveryInc/compound-engineering-plugin/releases/tag/v0.4.0) -- recent activity: updates on **February 11, 2026** -- project positioning: Claude Code marketplace with compound-engineering workflow system and cross-provider conversion CLI +- stars: about **9.7k** +- latest release: [`v0.8.0`](https://github.com/EveryInc/compound-engineering-plugin/releases/tag/v0.8.0) (published 2026-02-17) ## Mental Model diff --git a/tutorials/context7-tutorial/README.md b/tutorials/context7-tutorial/README.md index 1557c06..eca1bb8 100644 --- a/tutorials/context7-tutorial/README.md +++ b/tutorials/context7-tutorial/README.md @@ -28,10 +28,8 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`upstash/context7`](https://github.com/upstash/context7) -- stars: about **45.5k** -- latest release: [`ctx7@0.2.4`](https://github.com/upstash/context7/releases/tag/ctx7%400.2.4) -- recent activity: updates on **February 11, 2026** -- project positioning: MCP + API service for current, version-specific code docs in AI coding workflows +- stars: about **47.4k** +- latest release: [`@upstash/context7-mcp@2.1.2`](https://github.com/upstash/context7/releases/tag/@upstash/context7-mcp@2.1.2) (published 2026-02-23) ## Mental Model diff --git a/tutorials/continue-tutorial/README.md b/tutorials/continue-tutorial/README.md index 6dc7522..7b162ed 100644 --- a/tutorials/continue-tutorial/README.md +++ b/tutorials/continue-tutorial/README.md @@ -28,10 +28,8 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`continuedev/continue`](https://github.com/continuedev/continue) -- stars: about **31.3k** -- latest VS Code release tag: [`v1.3.31-vscode`](https://github.com/continuedev/continue/releases/tag/v1.3.31-vscode) (published February 4, 2026) -- VS Code extension version in source: `1.3.31` -- active surfaces include Mission Control, CLI headless mode, and CLI TUI mode +- stars: about **31.6k** +- latest release: [`v1.5.44`](https://github.com/continuedev/continue/releases/tag/v1.5.44) (published 2026-03-02) ## Mental Model diff --git a/tutorials/copilot-cli-tutorial/README.md b/tutorials/copilot-cli-tutorial/README.md index ede6624..f6e1d3a 100644 --- a/tutorials/copilot-cli-tutorial/README.md +++ b/tutorials/copilot-cli-tutorial/README.md @@ -28,10 +28,8 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`github/copilot-cli`](https://github.com/github/copilot-cli) -- stars: about **8.3k** -- latest release: [`v0.0.407`](https://github.com/github/copilot-cli/releases/tag/v0.0.407) -- recent activity: updates on **February 11, 2026** -- project positioning: public-preview Copilot coding agent for terminal workflows +- stars: about **8.9k** +- latest release: [`v0.0.420`](https://github.com/github/copilot-cli/releases/tag/v0.0.420) (published 2026-02-27) ## Mental Model diff --git a/tutorials/copilotkit-tutorial/README.md b/tutorials/copilotkit-tutorial/README.md index 909a639..1fd4682 100644 --- a/tutorials/copilotkit-tutorial/README.md +++ b/tutorials/copilotkit-tutorial/README.md @@ -59,6 +59,12 @@ flowchart TD class J,K,L external ``` +## Current Snapshot (auto-updated) + +- repository: [`CopilotKit/CopilotKit`](https://github.com/CopilotKit/CopilotKit) +- stars: about **29.1k** +- latest release: [`v1.52.1`](https://github.com/CopilotKit/CopilotKit/releases/tag/v1.52.1) (published 2026-02-27) + ## What's New in 2025 > **v1.10.0+**: Complete headless UI overhaul with agentic features including Generative UI, Suggestions, Agentic Generative UI, and Interrupts. diff --git a/tutorials/create-python-server-tutorial/README.md b/tutorials/create-python-server-tutorial/README.md index f55fa99..f292edf 100644 --- a/tutorials/create-python-server-tutorial/README.md +++ b/tutorials/create-python-server-tutorial/README.md @@ -28,12 +28,9 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`modelcontextprotocol/create-python-server`](https://github.com/modelcontextprotocol/create-python-server) -- stars: about **476** -- repository status: **archived** -- latest release tag: [`v1.0.5`](https://github.com/modelcontextprotocol/create-python-server/tags) (tag commit) -- recent activity: updated on **February 4, 2026** -- package: `uvx create-mcp-server` (recommended) or `pip install create-mcp-server` -- license: MIT +- stars: about **477** +- latest release: [`v1.0.5`](https://github.com/modelcontextprotocol/create-python-server/releases/tag/v1.0.5) (published 2024-11-24) +- status: **archived** ## Mental Model diff --git a/tutorials/create-typescript-server-tutorial/README.md b/tutorials/create-typescript-server-tutorial/README.md index b09ec1a..d8ab918 100644 --- a/tutorials/create-typescript-server-tutorial/README.md +++ b/tutorials/create-typescript-server-tutorial/README.md @@ -29,11 +29,8 @@ This track focuses on: - repository: [`modelcontextprotocol/create-typescript-server`](https://github.com/modelcontextprotocol/create-typescript-server) - stars: about **172** -- repository status: **archived** -- latest tag: [`0.3.1`](https://github.com/modelcontextprotocol/create-typescript-server/tags) -- recent activity: updated on **January 15, 2026** -- package baseline: `npx @modelcontextprotocol/create-server ` -- license: MIT +- latest release: [`0.3.1`](https://github.com/modelcontextprotocol/create-typescript-server/releases/tag/0.3.1) (published 2024-11-25) +- status: **archived** ## Mental Model diff --git a/tutorials/crewai-tutorial/README.md b/tutorials/crewai-tutorial/README.md index f0d5ef0..f35c7de 100644 --- a/tutorials/crewai-tutorial/README.md +++ b/tutorials/crewai-tutorial/README.md @@ -57,6 +57,12 @@ Welcome to your journey through collaborative AI agent teams! This tutorial expl 7. **[Chapter 7: Advanced Crew Patterns](07-advanced-patterns.md)** - Complex multi-crew systems and hierarchies 8. **[Chapter 8: Production Deployment](08-production-deployment.md)** - Scaling AI crews for real-world applications +## Current Snapshot (auto-updated) + +- repository: [`crewAIInc/crewAI`](https://github.com/crewAIInc/crewAI) +- stars: about **45k** +- latest release: [`1.10.0`](https://github.com/crewAIInc/crewAI/releases/tag/1.10.0) (published 2026-02-27) + ## What You'll Learn By the end of this tutorial, you'll be able to: diff --git a/tutorials/crush-tutorial/README.md b/tutorials/crush-tutorial/README.md index 043d7fb..08f7791 100644 --- a/tutorials/crush-tutorial/README.md +++ b/tutorials/crush-tutorial/README.md @@ -28,10 +28,8 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`charmbracelet/crush`](https://github.com/charmbracelet/crush) -- stars: about **19.7k** -- latest release: [`v0.42.0`](https://github.com/charmbracelet/crush/releases/tag/v0.42.0) -- recent activity: updates on **February 11, 2026** -- project positioning: terminal-first coding agent with multi-provider, multi-session workflows +- stars: about **20.7k** +- latest release: [`v0.46.1`](https://github.com/charmbracelet/crush/releases/tag/v0.46.1) (published 2026-02-27) ## Mental Model diff --git a/tutorials/daytona-tutorial/README.md b/tutorials/daytona-tutorial/README.md index 60af080..e458ca7 100644 --- a/tutorials/daytona-tutorial/README.md +++ b/tutorials/daytona-tutorial/README.md @@ -28,11 +28,8 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`daytonaio/daytona`](https://github.com/daytonaio/daytona) -- stars: about **55.3k** -- latest release: [`v0.141.0`](https://github.com/daytonaio/daytona/releases/tag/v0.141.0) (**February 11, 2026**) -- license: AGPL-3.0 (repository) -- recent activity: updates on **February 12, 2026** -- project positioning: secure and elastic infrastructure for running AI-generated code +- stars: about **61.6k** +- latest release: [`v0.148.0`](https://github.com/daytonaio/daytona/releases/tag/v0.148.0) (published 2026-02-27) ## Mental Model diff --git a/tutorials/deer-flow-tutorial/README.md b/tutorials/deer-flow-tutorial/README.md index 804c29b..cbd528d 100644 --- a/tutorials/deer-flow-tutorial/README.md +++ b/tutorials/deer-flow-tutorial/README.md @@ -34,6 +34,11 @@ has_children: true - 🔌 **Extensible Architecture** - Custom task types and integrations - ⏱️ **Scheduling** - Time-based and event-driven execution +## Current Snapshot (auto-updated) + +- repository: [`bytedance/deer-flow`](https://github.com/bytedance/deer-flow) +- stars: about **23.4k** + ## 🏗️ Architecture Overview ```mermaid diff --git a/tutorials/devika-tutorial/README.md b/tutorials/devika-tutorial/README.md index fbf9ad3..f58bbf0 100644 --- a/tutorials/devika-tutorial/README.md +++ b/tutorials/devika-tutorial/README.md @@ -29,9 +29,6 @@ This track focuses on: - repository: [`stitionai/devika`](https://github.com/stitionai/devika) - stars: about **19.5k** -- latest release: latest main branch -- recent activity: updates on **2025** -- project positioning: open-source autonomous AI software engineer, alternative to Devin by Cognition AI ## Mental Model diff --git a/tutorials/dify-platform-deep-dive/README.md b/tutorials/dify-platform-deep-dive/README.md index cad278d..3187855 100644 --- a/tutorials/dify-platform-deep-dive/README.md +++ b/tutorials/dify-platform-deep-dive/README.md @@ -125,9 +125,9 @@ Ready to begin? Start with [Chapter 1: System Overview](01-system-overview.md). ## Current Snapshot (auto-updated) -- repository: [langgenius/dify](https://github.com/langgenius/dify) -- stars: about **68K** -- project positioning: leading open-source LLM application development platform +- repository: [`langgenius/dify`](https://github.com/langgenius/dify) +- stars: about **131k** +- latest release: [`1.13.0`](https://github.com/langgenius/dify/releases/tag/1.13.0) (published 2026-02-11) ## What You Will Learn diff --git a/tutorials/dspy-tutorial/README.md b/tutorials/dspy-tutorial/README.md index d185ff6..f21681c 100644 --- a/tutorials/dspy-tutorial/README.md +++ b/tutorials/dspy-tutorial/README.md @@ -53,6 +53,12 @@ flowchart TD class D,E result ``` +## Current Snapshot (auto-updated) + +- repository: [`stanfordnlp/dspy`](https://github.com/stanfordnlp/dspy) +- stars: about **32.5k** +- latest release: [`3.1.3`](https://github.com/stanfordnlp/dspy/releases/tag/3.1.3) (published 2026-02-05) + ## Core Concepts ### Signatures diff --git a/tutorials/dyad-tutorial/README.md b/tutorials/dyad-tutorial/README.md index cbe1177..1bdd036 100644 --- a/tutorials/dyad-tutorial/README.md +++ b/tutorials/dyad-tutorial/README.md @@ -26,10 +26,8 @@ Dyad is one of the fastest-moving local-first vibe-coding tools. To use it effec ## Current Snapshot (auto-updated) - repository: [`dyad-sh/dyad`](https://github.com/dyad-sh/dyad) -- stars: about **19.6k** -- latest release: [`v0.36.0`](https://github.com/dyad-sh/dyad/releases/tag/v0.36.0) (published February 9, 2026) -- development activity: frequent updates on `main` -- licensing model in repo: Apache 2.0 for most code and fair-source licensing in `src/pro` +- stars: about **19.8k** +- latest release: [`v0.37.0`](https://github.com/dyad-sh/dyad/releases/tag/v0.37.0) (published 2026-02-23) ## Mental Model diff --git a/tutorials/elizaos-tutorial/README.md b/tutorials/elizaos-tutorial/README.md index 846b6d3..c9c7f0e 100644 --- a/tutorials/elizaos-tutorial/README.md +++ b/tutorials/elizaos-tutorial/README.md @@ -27,6 +27,12 @@ ElizaOS is an open-source framework for building, deploying, and managing autono | **Model Agnostic** | OpenAI, Anthropic, Gemini, Llama, Grok — any LLM backend | | **Desktop & Web** | Tauri desktop app, React web dashboard, CLI tools | +## Current Snapshot (auto-updated) + +- repository: [`elizaOS/eliza`](https://github.com/elizaOS/eliza) +- stars: about **17.7k** +- latest release: [`v1.7.2`](https://github.com/elizaOS/eliza/releases/tag/v1.7.2) (published 2026-01-19) + ## Architecture Overview ```mermaid diff --git a/tutorials/everything-claude-code-tutorial/README.md b/tutorials/everything-claude-code-tutorial/README.md index 19aef13..ad84000 100644 --- a/tutorials/everything-claude-code-tutorial/README.md +++ b/tutorials/everything-claude-code-tutorial/README.md @@ -28,10 +28,8 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`affaan-m/everything-claude-code`](https://github.com/affaan-m/everything-claude-code) -- stars: about **44.7k** -- latest release: [`v1.5.0`](https://github.com/affaan-m/everything-claude-code/releases/tag/v1.5.0) -- recent activity: updates on **February 12, 2026** -- project positioning: comprehensive Claude Code configuration collection with cross-platform support +- stars: about **57k** +- latest release: [`v1.7.0`](https://github.com/affaan-m/everything-claude-code/releases/tag/v1.7.0) (published 2026-02-27) ## Mental Model diff --git a/tutorials/fabric-tutorial/README.md b/tutorials/fabric-tutorial/README.md index 4851048..07399b7 100644 --- a/tutorials/fabric-tutorial/README.md +++ b/tutorials/fabric-tutorial/README.md @@ -34,6 +34,12 @@ has_children: true - 📝 **Markdown Integration** - Seamless document processing - 🌐 **API Access** - REST API for integrations +## Current Snapshot (auto-updated) + +- repository: [`danielmiessler/fabric`](https://github.com/danielmiessler/fabric) +- stars: about **39.4k** +- latest release: [`v1.4.428`](https://github.com/danielmiessler/fabric/releases/tag/v1.4.428) (published 2026-03-02) + ## 🏗️ Architecture Overview ```mermaid diff --git a/tutorials/fastmcp-tutorial/README.md b/tutorials/fastmcp-tutorial/README.md index 98bb191..1aafdd5 100644 --- a/tutorials/fastmcp-tutorial/README.md +++ b/tutorials/fastmcp-tutorial/README.md @@ -28,11 +28,8 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`jlowin/fastmcp`](https://github.com/jlowin/fastmcp) -- stars: about **22.8k** -- latest release: [`v2.14.5`](https://github.com/jlowin/fastmcp/releases/tag/v2.14.5) (**February 3, 2026**) -- license: Apache-2.0 -- recent activity: updates on **February 12, 2026** -- project positioning: high-signal Python framework for MCP server/client development +- stars: about **23.3k** +- latest release: [`v3.0.2`](https://github.com/jlowin/fastmcp/releases/tag/v3.0.2) (published 2026-02-22) ## Mental Model diff --git a/tutorials/figma-context-mcp-tutorial/README.md b/tutorials/figma-context-mcp-tutorial/README.md index c3cccae..079a771 100644 --- a/tutorials/figma-context-mcp-tutorial/README.md +++ b/tutorials/figma-context-mcp-tutorial/README.md @@ -28,10 +28,8 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`GLips/Figma-Context-MCP`](https://github.com/GLips/Figma-Context-MCP) -- stars: about **13.1k** -- latest release: [`v0.6.4`](https://github.com/GLips/Figma-Context-MCP/releases/tag/v0.6.4) -- development activity: active with recent updates -- project positioning: MCP bridge that simplifies Figma API output for coding agents +- stars: about **13.3k** +- latest release: [`v0.6.4`](https://github.com/GLips/Figma-Context-MCP/releases/tag/v0.6.4) (published 2025-10-06) ## Mental Model diff --git a/tutorials/firecrawl-mcp-server-tutorial/README.md b/tutorials/firecrawl-mcp-server-tutorial/README.md index 488473d..6edc3a5 100644 --- a/tutorials/firecrawl-mcp-server-tutorial/README.md +++ b/tutorials/firecrawl-mcp-server-tutorial/README.md @@ -29,10 +29,8 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`firecrawl/firecrawl-mcp-server`](https://github.com/firecrawl/firecrawl-mcp-server) -- stars: about **5.5k** -- latest release: [`v3.2.1`](https://github.com/firecrawl/firecrawl-mcp-server/releases/tag/v3.2.1) -- recent activity: repository is actively updated; verify latest commits for current status -- positioning: official Firecrawl MCP server for scraping, crawling, extraction, and search workflows +- stars: about **5.6k** +- latest release: [`v3.2.1`](https://github.com/firecrawl/firecrawl-mcp-server/releases/tag/v3.2.1) (published 2025-09-26) ## Mental Model diff --git a/tutorials/firecrawl-tutorial/README.md b/tutorials/firecrawl-tutorial/README.md index f79acac..d299d86 100644 --- a/tutorials/firecrawl-tutorial/README.md +++ b/tutorials/firecrawl-tutorial/README.md @@ -54,6 +54,12 @@ Welcome to your journey through web scraping and data extraction for AI applicat 7. **[Chapter 7: Scaling & Performance](07-scaling-performance.md)** - Handling large-scale scraping operations 8. **[Chapter 8: Production Deployment](08-production-deployment.md)** - Deploying scraping systems at scale +## Current Snapshot (auto-updated) + +- repository: [`mendableai/firecrawl`](https://github.com/mendableai/firecrawl) +- stars: about **87.4k** +- latest release: [`v2.8.0`](https://github.com/mendableai/firecrawl/releases/tag/v2.8.0) (published 2026-02-03) + ## What You'll Learn By the end of this tutorial, you'll be able to: diff --git a/tutorials/fireproof-tutorial/README.md b/tutorials/fireproof-tutorial/README.md index cb38d45..106fa8c 100644 --- a/tutorials/fireproof-tutorial/README.md +++ b/tutorials/fireproof-tutorial/README.md @@ -28,10 +28,7 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`fireproof-storage/fireproof`](https://github.com/fireproof-storage/fireproof) -- stars: about **946** -- latest tags: `v0.24.1-dev-react19` and `v0.23.8` -- recent activity: updates on **February 11, 2026** -- project positioning: local-first embedded document database with encrypted sync +- stars: about **950** ## Mental Model diff --git a/tutorials/flowise-llm-orchestration/README.md b/tutorials/flowise-llm-orchestration/README.md index 2056edd..b6d8277 100644 --- a/tutorials/flowise-llm-orchestration/README.md +++ b/tutorials/flowise-llm-orchestration/README.md @@ -116,9 +116,9 @@ Ready to begin? Start with [Chapter 1: System Overview](01-system-overview.md). ## Current Snapshot (auto-updated) -- repository: [FlowiseAI/Flowise](https://github.com/FlowiseAI/Flowise) -- stars: about **34K** -- project positioning: popular open-source visual LLM workflow builder with 100+ pre-built nodes +- repository: [`FlowiseAI/Flowise`](https://github.com/FlowiseAI/Flowise) +- stars: about **49.5k** +- latest release: [`flowise@3.0.13`](https://github.com/FlowiseAI/Flowise/releases/tag/flowise@3.0.13) (published 2026-02-03) ## What You Will Learn diff --git a/tutorials/gemini-cli-tutorial/README.md b/tutorials/gemini-cli-tutorial/README.md index bdb4ad2..9ef269d 100644 --- a/tutorials/gemini-cli-tutorial/README.md +++ b/tutorials/gemini-cli-tutorial/README.md @@ -28,10 +28,8 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`google-gemini/gemini-cli`](https://github.com/google-gemini/gemini-cli) -- stars: about **94.3k** -- latest release: [`v0.28.2`](https://github.com/google-gemini/gemini-cli/releases/tag/v0.28.2) -- recent activity: updates on **February 12, 2026** -- project positioning: open-source Gemini-powered terminal AI agent with first-class docs and extension model +- stars: about **96.2k** +- latest release: [`v0.31.0`](https://github.com/google-gemini/gemini-cli/releases/tag/v0.31.0) (published 2026-02-27) ## Mental Model diff --git a/tutorials/genai-toolbox-tutorial/README.md b/tutorials/genai-toolbox-tutorial/README.md index 59de391..aa50c96 100644 --- a/tutorials/genai-toolbox-tutorial/README.md +++ b/tutorials/genai-toolbox-tutorial/README.md @@ -28,11 +28,8 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`googleapis/genai-toolbox`](https://github.com/googleapis/genai-toolbox) -- stars: about **12.9k** -- latest release: [`v0.26.0`](https://github.com/googleapis/genai-toolbox/releases/tag/v0.26.0) (**January 23, 2026**) -- license: Apache-2.0 -- recent activity: updates on **February 12, 2026** -- project positioning: open-source MCP server for databases with native SDK and MCP integration surfaces +- stars: about **13.2k** +- latest release: [`v0.27.0`](https://github.com/googleapis/genai-toolbox/releases/tag/v0.27.0) (published 2026-02-13) ## Mental Model diff --git a/tutorials/github-mcp-server-tutorial/README.md b/tutorials/github-mcp-server-tutorial/README.md index 9d3f45b..3a3cae0 100644 --- a/tutorials/github-mcp-server-tutorial/README.md +++ b/tutorials/github-mcp-server-tutorial/README.md @@ -28,10 +28,8 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`github/github-mcp-server`](https://github.com/github/github-mcp-server) -- stars: about **26.9k** -- latest release: [`v0.30.3`](https://github.com/github/github-mcp-server/releases/tag/v0.30.3) -- recent activity: updates on **February 11, 2026** -- project positioning: official GitHub MCP server for repository-aware AI automation +- stars: about **27.4k** +- latest release: [`v0.31.0`](https://github.com/github/github-mcp-server/releases/tag/v0.31.0) (published 2026-02-19) ## Mental Model diff --git a/tutorials/goose-tutorial/README.md b/tutorials/goose-tutorial/README.md index fd68cab..0de04cf 100644 --- a/tutorials/goose-tutorial/README.md +++ b/tutorials/goose-tutorial/README.md @@ -28,10 +28,8 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`block/goose`](https://github.com/block/goose) -- stars: about **30.3k** -- latest release: [`v1.23.2`](https://github.com/block/goose/releases/tag/v1.23.2) -- recent activity: updates on **February 12, 2026** -- project positioning: local, extensible AI agent for end-to-end engineering automation +- stars: about **32.1k** +- latest release: [`v1.26.1`](https://github.com/block/goose/releases/tag/v1.26.1) (published 2026-02-27) ## Mental Model diff --git a/tutorials/gpt-oss-tutorial/README.md b/tutorials/gpt-oss-tutorial/README.md index 344f898..2ded01f 100644 --- a/tutorials/gpt-oss-tutorial/README.md +++ b/tutorials/gpt-oss-tutorial/README.md @@ -64,6 +64,11 @@ flowchart TD class D1,D2,D3 prod ``` +## Current Snapshot (auto-updated) + +- repository: [`karpathy/nanoGPT`](https://github.com/karpathy/nanoGPT) +- stars: about **54k** + ## Tutorial Structure This tutorial is organized into 8 chapters that progressively build your understanding: diff --git a/tutorials/gptme-tutorial/README.md b/tutorials/gptme-tutorial/README.md index fcfacb7..8372a1d 100644 --- a/tutorials/gptme-tutorial/README.md +++ b/tutorials/gptme-tutorial/README.md @@ -29,9 +29,7 @@ This track focuses on: - repository: [`gptme/gptme`](https://github.com/gptme/gptme) - stars: about **4.2k** -- latest release: [`v0.31.0`](https://github.com/gptme/gptme/releases/tag/v0.31.0) -- recent activity: updates on **February 11, 2026** -- project positioning: unconstrained local/open alternative to managed coding agents +- latest release: [`v0.31.0`](https://github.com/gptme/gptme/releases/tag/v0.31.0) (published 2025-12-15) ## Mental Model diff --git a/tutorials/hapi-tutorial/README.md b/tutorials/hapi-tutorial/README.md index 0f755a6..bb2ca78 100644 --- a/tutorials/hapi-tutorial/README.md +++ b/tutorials/hapi-tutorial/README.md @@ -30,11 +30,9 @@ HAPI wraps existing coding agents and adds a hub/web control plane so sessions c ## Current Snapshot (auto-updated) -- repository: `tiann/hapi` -- stars: ~1.4K -- latest release line: `v0.15.x` (`v0.15.2` published February 11, 2026) -- license: AGPL-3.0 -- key capabilities: remote approvals, PWA control, Telegram integration, multi-machine session routing +- repository: [`tiann/hapi`](https://github.com/tiann/hapi) +- stars: about **2k** +- latest release: [`v0.15.4`](https://github.com/tiann/hapi/releases/tag/v0.15.4) (published 2026-03-01) ## Chapter Guide diff --git a/tutorials/haystack-tutorial/README.md b/tutorials/haystack-tutorial/README.md index e5d08f9..1b2eadb 100644 --- a/tutorials/haystack-tutorial/README.md +++ b/tutorials/haystack-tutorial/README.md @@ -26,6 +26,12 @@ Haystack is an open-source LLM framework by deepset for building composable AI p | **Evaluation** | Built-in metrics (MRR, MAP, NDCG) and LLM-based evaluation components | | **Custom Components** | `@component` decorator for building reusable pipeline nodes with typed I/O | +## Current Snapshot (auto-updated) + +- repository: [`deepset-ai/haystack`](https://github.com/deepset-ai/haystack) +- stars: about **24.4k** +- latest release: [`v2.25.1`](https://github.com/deepset-ai/haystack/releases/tag/v2.25.1) (published 2026-02-27) + ## Architecture Overview ```mermaid diff --git a/tutorials/huggingface-tutorial/README.md b/tutorials/huggingface-tutorial/README.md index 6ab2124..4682649 100644 --- a/tutorials/huggingface-tutorial/README.md +++ b/tutorials/huggingface-tutorial/README.md @@ -58,6 +58,12 @@ Welcome to your journey through the HuggingFace Transformers ecosystem! This tut 7. **[Chapter 7: Fine-tuning Models](07-fine-tuning.md)** - Customizing models for specific tasks 8. **[Chapter 8: Production Deployment](08-production-deployment.md)** - Scaling Transformers applications +## Current Snapshot (auto-updated) + +- repository: [`huggingface/transformers`](https://github.com/huggingface/transformers) +- stars: about **157k** +- latest release: [`v5.2.0`](https://github.com/huggingface/transformers/releases/tag/v5.2.0) (published 2026-02-16) + ## What You'll Learn By the end of this tutorial, you'll be able to: diff --git a/tutorials/humanlayer-tutorial/README.md b/tutorials/humanlayer-tutorial/README.md index 6c9c03b..329bb5e 100644 --- a/tutorials/humanlayer-tutorial/README.md +++ b/tutorials/humanlayer-tutorial/README.md @@ -28,10 +28,8 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`humanlayer/humanlayer`](https://github.com/humanlayer/humanlayer) -- stars: about **9.3k** -- latest release: [`pro-0.20.0`](https://github.com/humanlayer/humanlayer/releases/tag/pro-0.20.0) -- development activity: active with recent updates -- project positioning: open-source coding-agent orchestration stack with context and human-loop emphasis +- stars: about **9.6k** +- latest release: [`pro-0.20.0`](https://github.com/humanlayer/humanlayer/releases/tag/pro-0.20.0) (published 2025-12-23) ## Mental Model diff --git a/tutorials/instructor-tutorial/README.md b/tutorials/instructor-tutorial/README.md index 62ed760..39873c5 100644 --- a/tutorials/instructor-tutorial/README.md +++ b/tutorials/instructor-tutorial/README.md @@ -54,6 +54,12 @@ flowchart LR class G output ``` +## Current Snapshot (auto-updated) + +- repository: [`instructor-ai/instructor`](https://github.com/instructor-ai/instructor) +- stars: about **12.5k** +- latest release: [`v1.14.5`](https://github.com/instructor-ai/instructor/releases/tag/v1.14.5) (published 2026-01-29) + ## Tutorial Chapters 1. **[Chapter 1: Getting Started](01-getting-started.md)** - Installation, setup, and first structured extraction diff --git a/tutorials/khoj-tutorial/README.md b/tutorials/khoj-tutorial/README.md index 58664dc..8f72e60 100644 --- a/tutorials/khoj-tutorial/README.md +++ b/tutorials/khoj-tutorial/README.md @@ -26,6 +26,12 @@ Khoj is an open-source AI personal assistant that transforms your scattered note | **Self-Hostable** | Full Docker deployment with PostgreSQL, data stays on your infrastructure | | **Client Integrations** | Obsidian plugin, Emacs package, web UI, WhatsApp, and API access | +## Current Snapshot (auto-updated) + +- repository: [`khoj-ai/khoj`](https://github.com/khoj-ai/khoj) +- stars: about **32.8k** +- latest release: [`2.0.0-beta.25`](https://github.com/khoj-ai/khoj/releases/tag/2.0.0-beta.25) (published 2026-02-22) + ## Architecture Overview ```mermaid diff --git a/tutorials/kilocode-tutorial/README.md b/tutorials/kilocode-tutorial/README.md index 15ac934..047df9a 100644 --- a/tutorials/kilocode-tutorial/README.md +++ b/tutorials/kilocode-tutorial/README.md @@ -28,10 +28,8 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`Kilo-Org/kilocode`](https://github.com/Kilo-Org/kilocode) -- stars: about **15.2k** -- latest release: [`v5.7.0`](https://github.com/Kilo-Org/kilocode/releases/tag/v5.7.0) -- recent activity: updates on **February 11, 2026** -- project positioning: all-in-one agentic engineering platform +- stars: about **16.1k** +- latest release: [`v7.0.33`](https://github.com/Kilo-Org/kilocode/releases/tag/v7.0.33) (published 2026-02-27) ## Mental Model diff --git a/tutorials/kimi-cli-tutorial/README.md b/tutorials/kimi-cli-tutorial/README.md index 9f7614f..98e7586 100644 --- a/tutorials/kimi-cli-tutorial/README.md +++ b/tutorials/kimi-cli-tutorial/README.md @@ -28,10 +28,8 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`MoonshotAI/kimi-cli`](https://github.com/MoonshotAI/kimi-cli) -- stars: about **6.3k** -- latest release: [`1.12.0`](https://github.com/MoonshotAI/kimi-cli/releases/tag/1.12.0) -- recent activity: updates on **February 11, 2026** -- project positioning: terminal AI coding agent with MCP + ACP support +- stars: about **6.9k** +- latest release: [`1.16.0`](https://github.com/MoonshotAI/kimi-cli/releases/tag/1.16.0) (published 2026-02-27) ## Mental Model diff --git a/tutorials/kiro-tutorial/README.md b/tutorials/kiro-tutorial/README.md index bb27ea6..66147aa 100644 --- a/tutorials/kiro-tutorial/README.md +++ b/tutorials/kiro-tutorial/README.md @@ -30,9 +30,7 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`kirodotdev/Kiro`](https://github.com/kirodotdev/Kiro) -- stars: about **1.8k** -- launched: **July 2025** by AWS -- project positioning: AWS-backed spec-driven agentic IDE for structured AI engineering +- stars: about **3.1k** ## Mental Model diff --git a/tutorials/kubernetes-operator-patterns/README.md b/tutorials/kubernetes-operator-patterns/README.md index a8080a4..73d38f9 100644 --- a/tutorials/kubernetes-operator-patterns/README.md +++ b/tutorials/kubernetes-operator-patterns/README.md @@ -56,6 +56,12 @@ flowchart TD class C,D,E,F,G,H,I operator ``` +## Current Snapshot (auto-updated) + +- repository: [`operator-framework/operator-sdk`](https://github.com/operator-framework/operator-sdk) +- stars: about **7.6k** +- latest release: [`v1.42.0`](https://github.com/operator-framework/operator-sdk/releases/tag/v1.42.0) (published 2025-11-13) + ## Core Operator Concepts ### Custom Resource Definitions (CRDs) diff --git a/tutorials/lancedb-tutorial/README.md b/tutorials/lancedb-tutorial/README.md index 26800ad..64916ea 100644 --- a/tutorials/lancedb-tutorial/README.md +++ b/tutorials/lancedb-tutorial/README.md @@ -71,6 +71,12 @@ flowchart TD class J,K,L storage ``` +## Current Snapshot (auto-updated) + +- repository: [`lancedb/lancedb`](https://github.com/lancedb/lancedb) +- stars: about **9.2k** +- latest release: [`python-v0.30.0-beta.3`](https://github.com/lancedb/lancedb/releases/tag/python-v0.30.0-beta.3) (published 2026-02-28) + ## Tutorial Chapters 1. **[Chapter 1: Getting Started](01-getting-started.md)** - Installation, setup, and first database diff --git a/tutorials/langchain-architecture-guide/README.md b/tutorials/langchain-architecture-guide/README.md index 1813348..cd22867 100644 --- a/tutorials/langchain-architecture-guide/README.md +++ b/tutorials/langchain-architecture-guide/README.md @@ -72,6 +72,12 @@ This guide is designed for developers who already have working experience with L - Asynchronous Python (`async` / `await`) - General software architecture concepts (interfaces, composition, dependency injection) +## Current Snapshot (auto-updated) + +- repository: [`langchain-ai/langchain`](https://github.com/langchain-ai/langchain) +- stars: about **128k** +- latest release: [`langchain-core==1.2.16`](https://github.com/langchain-ai/langchain/releases/tag/langchain-core==1.2.16) (published 2026-02-25) + ## Tutorial Chapters Each chapter dissects a major subsystem of the LangChain codebase: diff --git a/tutorials/langchain-tutorial/README.md b/tutorials/langchain-tutorial/README.md index f2dc835..ab8c510 100644 --- a/tutorials/langchain-tutorial/README.md +++ b/tutorials/langchain-tutorial/README.md @@ -52,6 +52,12 @@ Welcome to your journey through LangChain! This tutorial is structured to take y 7. **[Chapter 7: Advanced Chains](07-advanced-chains.md)** - Complex workflows and custom chain implementations 8. **[Chapter 8: Production Deployment](08-production-deployment.md)** - Scaling, monitoring, and best practices +## Current Snapshot (auto-updated) + +- repository: [`langchain-ai/langchain`](https://github.com/langchain-ai/langchain) +- stars: about **128k** +- latest release: [`langchain-core==1.2.16`](https://github.com/langchain-ai/langchain/releases/tag/langchain-core==1.2.16) (published 2026-02-25) + ## What You'll Learn By the end of this tutorial, you'll be able to: diff --git a/tutorials/langflow-tutorial/README.md b/tutorials/langflow-tutorial/README.md index 5acfabf..887be8d 100644 --- a/tutorials/langflow-tutorial/README.md +++ b/tutorials/langflow-tutorial/README.md @@ -28,10 +28,8 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`langflow-ai/langflow`](https://github.com/langflow-ai/langflow) -- stars: about **144.7k** -- latest release: [`1.7.3`](https://github.com/langflow-ai/langflow/releases/tag/1.7.3) -- development activity: very active with same-day updates -- project positioning: visual + programmable platform for AI agents, flows, API endpoints, and MCP tooling +- stars: about **145k** +- latest release: [`1.7.3`](https://github.com/langflow-ai/langflow/releases/tag/1.7.3) (published 2026-01-23) ## Mental Model diff --git a/tutorials/langfuse-tutorial/README.md b/tutorials/langfuse-tutorial/README.md index 1a9dd45..9531862 100644 --- a/tutorials/langfuse-tutorial/README.md +++ b/tutorials/langfuse-tutorial/README.md @@ -28,10 +28,8 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`langfuse/langfuse`](https://github.com/langfuse/langfuse) -- stars: about **21.8k** -- latest release: [`v3.152.0`](https://github.com/langfuse/langfuse/releases/tag/v3.152.0) -- integration surface includes OpenTelemetry, LangChain, OpenAI SDK, LiteLLM, and more -- supports cloud and self-hosted deployment models +- stars: about **22.5k** +- latest release: [`v3.155.1`](https://github.com/langfuse/langfuse/releases/tag/v3.155.1) (published 2026-02-23) ## Mental Model diff --git a/tutorials/langgraph-tutorial/README.md b/tutorials/langgraph-tutorial/README.md index 3dbeace..14135b1 100644 --- a/tutorials/langgraph-tutorial/README.md +++ b/tutorials/langgraph-tutorial/README.md @@ -58,6 +58,12 @@ Welcome to your journey through stateful multi-actor applications! This tutorial 7. **[Chapter 7: Persistence and Checkpoints](07-persistence-checkpoints.md)** - State persistence and recovery 8. **[Chapter 8: Production Deployment](08-production-deployment.md)** - Scaling and deploying LangGraph applications +## Current Snapshot (auto-updated) + +- repository: [`langchain-ai/langgraph`](https://github.com/langchain-ai/langgraph) +- stars: about **25.4k** +- latest release: [`1.0.10`](https://github.com/langchain-ai/langgraph/releases/tag/1.0.10) (published 2026-02-27) + ## What You'll Learn By the end of this tutorial, you'll be able to: diff --git a/tutorials/letta-tutorial/README.md b/tutorials/letta-tutorial/README.md index 16c5fcb..bb49d1d 100644 --- a/tutorials/letta-tutorial/README.md +++ b/tutorials/letta-tutorial/README.md @@ -66,6 +66,12 @@ flowchart TD class I,J,K output ``` +## Current Snapshot (auto-updated) + +- repository: [`letta-ai/letta`](https://github.com/letta-ai/letta) +- stars: about **21.4k** +- latest release: [`0.16.5`](https://github.com/letta-ai/letta/releases/tag/0.16.5) (published 2026-02-24) + ## Tutorial Chapters 1. **[Chapter 1: Getting Started](01-getting-started.md)** - Installation, setup, and first agent diff --git a/tutorials/litellm-tutorial/README.md b/tutorials/litellm-tutorial/README.md index 40d4acd..6146752 100644 --- a/tutorials/litellm-tutorial/README.md +++ b/tutorials/litellm-tutorial/README.md @@ -28,10 +28,8 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`BerriAI/litellm`](https://github.com/BerriAI/litellm) -- stars: about **35.8k** -- latest published release tag: `v1.81.10-nightly` -- latest stable-tagged line in recent releases: `1.78.5-stable-patch-1` -- project scope includes Python SDK + proxy server + routing/guardrail/cost tooling +- stars: about **37.5k** +- latest release: [`v1.81.12-stable.2`](https://github.com/BerriAI/litellm/releases/tag/v1.81.12-stable.2) (published 2026-02-28) ## Mental Model diff --git a/tutorials/liveblocks-tutorial/README.md b/tutorials/liveblocks-tutorial/README.md index d3388c7..63990cc 100644 --- a/tutorials/liveblocks-tutorial/README.md +++ b/tutorials/liveblocks-tutorial/README.md @@ -48,6 +48,12 @@ graph TB style CRDT fill:#fce4ec,stroke:#c62828 ``` +## Current Snapshot (auto-updated) + +- repository: [`liveblocks/liveblocks`](https://github.com/liveblocks/liveblocks) +- stars: about **4.5k** +- latest release: [`v3.14.1`](https://github.com/liveblocks/liveblocks/releases/tag/v3.14.1) (published 2026-02-26) + ## Core Capabilities | Feature | Description | Use Case | diff --git a/tutorials/llama-cpp-tutorial/README.md b/tutorials/llama-cpp-tutorial/README.md index 6bc6919..841cf9b 100644 --- a/tutorials/llama-cpp-tutorial/README.md +++ b/tutorials/llama-cpp-tutorial/README.md @@ -62,6 +62,12 @@ flowchart TD class H,I output ``` +## Current Snapshot (auto-updated) + +- repository: [`ggerganov/llama.cpp`](https://github.com/ggerganov/llama.cpp) +- stars: about **96.3k** +- latest release: [`b8188`](https://github.com/ggerganov/llama.cpp/releases/tag/b8188) (published 2026-03-02) + ## Tutorial Chapters 1. **[Chapter 1: Getting Started](01-getting-started.md)** - Building llama.cpp and running your first model diff --git a/tutorials/llama-factory-tutorial/README.md b/tutorials/llama-factory-tutorial/README.md index 752cd58..d524ed2 100644 --- a/tutorials/llama-factory-tutorial/README.md +++ b/tutorials/llama-factory-tutorial/README.md @@ -62,6 +62,12 @@ Welcome to your journey through unified LLM training! This tutorial explores how 7. **[Chapter 7: Advanced Techniques](07-advanced-techniques.md)** - Multi-GPU training and optimization 8. **[Chapter 8: Production Case Studies](08-production-case-studies.md)** - Scaling and automation patterns +## Current Snapshot (auto-updated) + +- repository: [`hiyouga/LLaMA-Factory`](https://github.com/hiyouga/LLaMA-Factory) +- stars: about **67.8k** +- latest release: [`v0.9.4`](https://github.com/hiyouga/LLaMA-Factory/releases/tag/v0.9.4) (published 2025-12-31) + ## What You'll Learn By the end of this tutorial, you'll be able to: diff --git a/tutorials/llamaindex-tutorial/README.md b/tutorials/llamaindex-tutorial/README.md index fd6c9e8..3cf9b37 100644 --- a/tutorials/llamaindex-tutorial/README.md +++ b/tutorials/llamaindex-tutorial/README.md @@ -62,6 +62,12 @@ Welcome to your journey through advanced RAG systems and data frameworks! This t 7. **[Chapter 7: Production Deployment](07-production-deployment.md)** - Scaling LlamaIndex applications for production 8. **[Chapter 8: Monitoring & Optimization](08-monitoring-optimization.md)** - Performance tuning and observability +## Current Snapshot (auto-updated) + +- repository: [`run-llama/llama_index`](https://github.com/run-llama/llama_index) +- stars: about **47.3k** +- latest release: [`v0.14.15`](https://github.com/run-llama/llama_index/releases/tag/v0.14.15) (published 2026-02-18) + ## What You'll Learn By the end of this tutorial, you'll be able to: diff --git a/tutorials/lobechat-ai-platform/README.md b/tutorials/lobechat-ai-platform/README.md index d682c28..9367066 100644 --- a/tutorials/lobechat-ai-platform/README.md +++ b/tutorials/lobechat-ai-platform/README.md @@ -25,6 +25,12 @@ LobeChat is an open-source AI chat framework that enables you to build and deplo | **Themes** | Modern, customizable UI with extensive theming | | **Deployment** | One-click Vercel, Docker, and cloud-native deployment | +## Current Snapshot (auto-updated) + +- repository: [`lobehub/lobe-chat`](https://github.com/lobehub/lobe-chat) +- stars: about **72.9k** +- latest release: [`v2.1.34`](https://github.com/lobehub/lobe-chat/releases/tag/v2.1.34) (published 2026-02-28) + ## Architecture Overview ```mermaid diff --git a/tutorials/localai-tutorial/README.md b/tutorials/localai-tutorial/README.md index b82e8b1..e28ecfa 100644 --- a/tutorials/localai-tutorial/README.md +++ b/tutorials/localai-tutorial/README.md @@ -65,6 +65,12 @@ flowchart TD class G,H,I,J,K,L,M model ``` +## Current Snapshot (auto-updated) + +- repository: [`mudler/LocalAI`](https://github.com/mudler/LocalAI) +- stars: about **43.2k** +- latest release: [`v3.12.1`](https://github.com/mudler/LocalAI/releases/tag/v3.12.1) (published 2026-02-21) + ## Tutorial Chapters 1. **[Chapter 1: Getting Started](01-getting-started.md)** - Installation and first model diff --git a/tutorials/logseq-knowledge-management/README.md b/tutorials/logseq-knowledge-management/README.md index 85eff08..84ce438 100644 --- a/tutorials/logseq-knowledge-management/README.md +++ b/tutorials/logseq-knowledge-management/README.md @@ -118,9 +118,9 @@ Ready to begin? Start with [Chapter 1: Knowledge Management Principles](01-knowl ## Current Snapshot (auto-updated) -- repository: [logseq/logseq](https://github.com/logseq/logseq) -- stars: about **32K** -- project positioning: privacy-first, local-first knowledge management platform with graph visualization +- repository: [`logseq/logseq`](https://github.com/logseq/logseq) +- stars: about **41.3k** +- latest release: [`0.10.15`](https://github.com/logseq/logseq/releases/tag/0.10.15) (published 2025-12-01) ## What You Will Learn diff --git a/tutorials/mastra-tutorial/README.md b/tutorials/mastra-tutorial/README.md index 41fd1c3..27bb55d 100644 --- a/tutorials/mastra-tutorial/README.md +++ b/tutorials/mastra-tutorial/README.md @@ -28,10 +28,8 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`mastra-ai/mastra`](https://github.com/mastra-ai/mastra) -- stars: about **21.0k** -- latest release: [`mastra@1.3.0`](https://github.com/mastra-ai/mastra/releases/tag/mastra%401.3.0) -- development activity: very active with same-day updates -- project positioning: TypeScript AI framework for agents, workflows, memory, and production ops +- stars: about **21.6k** +- latest release: [`@mastra/core@1.8.0`](https://github.com/mastra-ai/mastra/releases/tag/@mastra/core@1.8.0) (published 2026-03-02) ## Mental Model diff --git a/tutorials/mcp-chrome-tutorial/README.md b/tutorials/mcp-chrome-tutorial/README.md index 0a467b4..3a4862a 100644 --- a/tutorials/mcp-chrome-tutorial/README.md +++ b/tutorials/mcp-chrome-tutorial/README.md @@ -29,10 +29,8 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`hangwin/mcp-chrome`](https://github.com/hangwin/mcp-chrome) -- stars: about **10.4k** -- latest release: [`v1.0.0`](https://github.com/hangwin/mcp-chrome/releases/tag/v1.0.0) (**December 29, 2025**) -- recent activity: updated on **January 6, 2026** -- positioning: Chrome extension + native bridge MCP server for browser automation and semantic tab intelligence +- stars: about **10.6k** +- latest release: [`v1.0.0`](https://github.com/hangwin/mcp-chrome/releases/tag/v1.0.0) (published 2025-12-29) ## Mental Model diff --git a/tutorials/mcp-csharp-sdk-tutorial/README.md b/tutorials/mcp-csharp-sdk-tutorial/README.md index beb68c5..f04fc38 100644 --- a/tutorials/mcp-csharp-sdk-tutorial/README.md +++ b/tutorials/mcp-csharp-sdk-tutorial/README.md @@ -28,11 +28,8 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`modelcontextprotocol/csharp-sdk`](https://github.com/modelcontextprotocol/csharp-sdk) -- stars: about **3.9k** -- package posture: preview NuGet packages (no GitHub releases published) -- recent activity: updated on **February 12, 2026** -- runtime baseline: .NET 9+ for samples (project tooling references .NET 10 SDK for full dev workflow) -- license: Apache-2.0 +- stars: about **4k** +- latest release: [`v1.0.0`](https://github.com/modelcontextprotocol/csharp-sdk/releases/tag/v1.0.0) (published 2026-02-25) ## Mental Model diff --git a/tutorials/mcp-docs-repo-tutorial/README.md b/tutorials/mcp-docs-repo-tutorial/README.md index 7091249..711ec86 100644 --- a/tutorials/mcp-docs-repo-tutorial/README.md +++ b/tutorials/mcp-docs-repo-tutorial/README.md @@ -29,10 +29,7 @@ This track focuses on: - repository: [`modelcontextprotocol/docs`](https://github.com/modelcontextprotocol/docs) - stars: about **424** -- repository status: **archived** -- recent activity: updated on **February 11, 2026** -- active-docs pointer: repository README redirects to `modelcontextprotocol/modelcontextprotocol/tree/main/docs` -- license: MIT +- status: **archived** ## Mental Model diff --git a/tutorials/mcp-ext-apps-tutorial/README.md b/tutorials/mcp-ext-apps-tutorial/README.md index d1b257e..3ad8fda 100644 --- a/tutorials/mcp-ext-apps-tutorial/README.md +++ b/tutorials/mcp-ext-apps-tutorial/README.md @@ -28,12 +28,8 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`modelcontextprotocol/ext-apps`](https://github.com/modelcontextprotocol/ext-apps) -- stars: about **1.46k** -- latest release: [`v1.0.1`](https://github.com/modelcontextprotocol/ext-apps/releases/tag/v1.0.1) (**January 26, 2026**) -- recent activity: updated on **February 12, 2026** -- stable spec: [`2026-01-26`](https://github.com/modelcontextprotocol/ext-apps/blob/main/specification/2026-01-26/apps.mdx) -- package baseline: `npm install -S @modelcontextprotocol/ext-apps` -- ecosystem note: repo provides app/host SDKs and reference examples, but no fully supported production host implementation +- stars: about **1.7k** +- latest release: [`v1.1.2`](https://github.com/modelcontextprotocol/ext-apps/releases/tag/v1.1.2) (published 2026-02-25) ## Mental Model diff --git a/tutorials/mcp-go-sdk-tutorial/README.md b/tutorials/mcp-go-sdk-tutorial/README.md index 2af8ea8..d907418 100644 --- a/tutorials/mcp-go-sdk-tutorial/README.md +++ b/tutorials/mcp-go-sdk-tutorial/README.md @@ -28,11 +28,8 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`modelcontextprotocol/go-sdk`](https://github.com/modelcontextprotocol/go-sdk) -- stars: about **3.8k** -- latest release: [`v1.3.0`](https://github.com/modelcontextprotocol/go-sdk/releases/tag/v1.3.0) (**February 9, 2026**) -- recent activity: updated on **February 12, 2026** -- branch posture: `main` with active protocol and conformance updates -- licensing note: project transition from MIT to Apache-2.0 (documentation non-spec content under CC-BY-4.0) +- stars: about **4k** +- latest release: [`v1.4.0`](https://github.com/modelcontextprotocol/go-sdk/releases/tag/v1.4.0) (published 2026-02-27) ## Mental Model diff --git a/tutorials/mcp-inspector-tutorial/README.md b/tutorials/mcp-inspector-tutorial/README.md index 8c8342e..f946b8e 100644 --- a/tutorials/mcp-inspector-tutorial/README.md +++ b/tutorials/mcp-inspector-tutorial/README.md @@ -28,11 +28,8 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`modelcontextprotocol/inspector`](https://github.com/modelcontextprotocol/inspector) -- stars: about **8.6k** -- latest release: [`0.20.0`](https://github.com/modelcontextprotocol/inspector/releases/tag/0.20.0) (**February 6, 2026**) -- recent activity: updated on **February 12, 2026** -- runtime requirement: Node.js `^22.7.5` -- licensing note: MCP project transition from MIT to Apache-2.0 (docs under CC-BY-4.0) +- stars: about **8.9k** +- latest release: [`0.21.1`](https://github.com/modelcontextprotocol/inspector/releases/tag/0.21.1) (published 2026-02-27) ## Mental Model diff --git a/tutorials/mcp-java-sdk-tutorial/README.md b/tutorials/mcp-java-sdk-tutorial/README.md index 111e67b..13490e3 100644 --- a/tutorials/mcp-java-sdk-tutorial/README.md +++ b/tutorials/mcp-java-sdk-tutorial/README.md @@ -29,10 +29,7 @@ This track focuses on: - repository: [`modelcontextprotocol/java-sdk`](https://github.com/modelcontextprotocol/java-sdk) - stars: about **3.2k** -- latest release: [`v0.17.2`](https://github.com/modelcontextprotocol/java-sdk/releases/tag/v0.17.2) (**January 22, 2026**) -- recent activity: updated on **February 12, 2026** -- runtime baseline: Java 17+ -- license: MIT +- latest release: [`v1.0.0`](https://github.com/modelcontextprotocol/java-sdk/releases/tag/v1.0.0) (published 2026-02-23) ## Mental Model diff --git a/tutorials/mcp-kotlin-sdk-tutorial/README.md b/tutorials/mcp-kotlin-sdk-tutorial/README.md index 7b9fce9..d3a2438 100644 --- a/tutorials/mcp-kotlin-sdk-tutorial/README.md +++ b/tutorials/mcp-kotlin-sdk-tutorial/README.md @@ -29,10 +29,7 @@ This track focuses on: - repository: [`modelcontextprotocol/kotlin-sdk`](https://github.com/modelcontextprotocol/kotlin-sdk) - stars: about **1.3k** -- latest release: [`0.8.3`](https://github.com/modelcontextprotocol/kotlin-sdk/releases/tag/0.8.3) (**January 21, 2026**) -- recent activity: updated on **February 12, 2026** -- runtime baseline: Kotlin 2.2+, JVM 11+; Ktor engine deps must be added explicitly -- licensing note: API metadata currently reports `NOASSERTION`; repository docs and license file indicate Apache 2.0 terms +- latest release: [`0.8.4`](https://github.com/modelcontextprotocol/kotlin-sdk/releases/tag/0.8.4) (published 2026-02-17) ## Mental Model diff --git a/tutorials/mcp-php-sdk-tutorial/README.md b/tutorials/mcp-php-sdk-tutorial/README.md index 700cb39..1802e9b 100644 --- a/tutorials/mcp-php-sdk-tutorial/README.md +++ b/tutorials/mcp-php-sdk-tutorial/README.md @@ -28,12 +28,8 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`modelcontextprotocol/php-sdk`](https://github.com/modelcontextprotocol/php-sdk) -- stars: about **1.35k** -- latest release: [`v0.3.0`](https://github.com/modelcontextprotocol/php-sdk/releases/tag/v0.3.0) (**January 11, 2026**) -- recent activity: updated on **February 12, 2026** -- package: `composer require mcp/sdk` -- stability note: README marks the SDK as actively evolving/experimental and lists client component work on the roadmap -- licensing note: metadata reports `NOASSERTION`; repository includes a `LICENSE` file and Symfony-aligned contribution standards +- stars: about **1.4k** +- latest release: [`v0.4.0`](https://github.com/modelcontextprotocol/php-sdk/releases/tag/v0.4.0) (published 2026-02-23) ## Mental Model diff --git a/tutorials/mcp-python-sdk-tutorial/README.md b/tutorials/mcp-python-sdk-tutorial/README.md index e758674..e2e31c2 100644 --- a/tutorials/mcp-python-sdk-tutorial/README.md +++ b/tutorials/mcp-python-sdk-tutorial/README.md @@ -29,6 +29,12 @@ The **Model Context Protocol (MCP) Python SDK** is the official Python implement | **Type Safety** | Full Pydantic integration for request/response validation | | **Async Support** | Built on asyncio for high-performance concurrent operations | +## Current Snapshot (auto-updated) + +- repository: [`modelcontextprotocol/python-sdk`](https://github.com/modelcontextprotocol/python-sdk) +- stars: about **21.9k** +- latest release: [`v1.26.0`](https://github.com/modelcontextprotocol/python-sdk/releases/tag/v1.26.0) (published 2026-01-24) + ## Architecture Overview ```mermaid diff --git a/tutorials/mcp-quickstart-resources-tutorial/README.md b/tutorials/mcp-quickstart-resources-tutorial/README.md index f7aeda1..2d5b98a 100644 --- a/tutorials/mcp-quickstart-resources-tutorial/README.md +++ b/tutorials/mcp-quickstart-resources-tutorial/README.md @@ -28,11 +28,7 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`modelcontextprotocol/quickstart-resources`](https://github.com/modelcontextprotocol/quickstart-resources) -- stars: about **984** -- recent activity: updated on **February 12, 2026** -- supported example stacks: Go, Python, TypeScript, Rust -- test posture: includes smoke tests and mock MCP server/client helpers -- license note: metadata currently reports `NOASSERTION`; verify repository license terms before redistribution +- stars: about **1k** ## Mental Model diff --git a/tutorials/mcp-registry-tutorial/README.md b/tutorials/mcp-registry-tutorial/README.md index 94f4f12..ef332d7 100644 --- a/tutorials/mcp-registry-tutorial/README.md +++ b/tutorials/mcp-registry-tutorial/README.md @@ -28,11 +28,8 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`modelcontextprotocol/registry`](https://github.com/modelcontextprotocol/registry) -- stars: about **6.4k** -- latest release: [`v1.4.1`](https://github.com/modelcontextprotocol/registry/releases/tag/v1.4.1) (**February 10, 2026**) -- recent activity: updated on **February 12, 2026** -- implementation stack: Go API + PostgreSQL + deployment automation -- licensing note: MCP project transition from MIT to Apache-2.0 (docs under CC-BY-4.0) +- stars: about **6.5k** +- latest release: [`v1.4.1`](https://github.com/modelcontextprotocol/registry/releases/tag/v1.4.1) (published 2026-02-10) ## Mental Model diff --git a/tutorials/mcp-ruby-sdk-tutorial/README.md b/tutorials/mcp-ruby-sdk-tutorial/README.md index 16a18aa..2576c54 100644 --- a/tutorials/mcp-ruby-sdk-tutorial/README.md +++ b/tutorials/mcp-ruby-sdk-tutorial/README.md @@ -28,11 +28,8 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`modelcontextprotocol/ruby-sdk`](https://github.com/modelcontextprotocol/ruby-sdk) -- stars: about **716** -- latest release: [`v0.6.0`](https://github.com/modelcontextprotocol/ruby-sdk/releases/tag/v0.6.0) (**January 16, 2026**) -- recent activity: updated on **February 11, 2026** -- runtime note: changelog documents support for Ruby 2.7-3.1 in recent releases -- feature note: README still lists resource subscriptions, completions, and elicitation as not yet implemented +- stars: about **739** +- latest release: [`v0.7.1`](https://github.com/modelcontextprotocol/ruby-sdk/releases/tag/v0.7.1) (published 2026-02-21) ## Mental Model diff --git a/tutorials/mcp-rust-sdk-tutorial/README.md b/tutorials/mcp-rust-sdk-tutorial/README.md index 55c6df6..ae09bce 100644 --- a/tutorials/mcp-rust-sdk-tutorial/README.md +++ b/tutorials/mcp-rust-sdk-tutorial/README.md @@ -28,11 +28,8 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`modelcontextprotocol/rust-sdk`](https://github.com/modelcontextprotocol/rust-sdk) -- stars: about **3.0k** -- latest release: [`rmcp-v0.15.0`](https://github.com/modelcontextprotocol/rust-sdk/releases/tag/rmcp-v0.15.0) (**February 10, 2026**) -- recent activity: updated on **February 12, 2026** -- runtime posture: tokio async runtime, feature-gated transports/capabilities -- licensing note: license metadata is transitioning; see repository license file for current terms +- stars: about **3.1k** +- latest release: [`rmcp-v0.17.0`](https://github.com/modelcontextprotocol/rust-sdk/releases/tag/rmcp-v0.17.0) (published 2026-02-27) ## Mental Model diff --git a/tutorials/mcp-servers-tutorial/README.md b/tutorials/mcp-servers-tutorial/README.md index 2d02bee..89bfa1b 100644 --- a/tutorials/mcp-servers-tutorial/README.md +++ b/tutorials/mcp-servers-tutorial/README.md @@ -111,9 +111,9 @@ Ready to begin? Start with [Chapter 1: Getting Started](01-getting-started.md). ## Current Snapshot (auto-updated) -- repository: [modelcontextprotocol/servers](https://github.com/modelcontextprotocol/servers) -- stars: about **13K** -- project positioning: official MCP reference server implementations maintained by the MCP steering group +- repository: [`modelcontextprotocol/servers`](https://github.com/modelcontextprotocol/servers) +- stars: about **79.9k** +- latest release: [`2026.1.26`](https://github.com/modelcontextprotocol/servers/releases/tag/2026.1.26) (published 2026-01-27) ## What You Will Learn diff --git a/tutorials/mcp-specification-tutorial/README.md b/tutorials/mcp-specification-tutorial/README.md index c91ffbe..6285f47 100644 --- a/tutorials/mcp-specification-tutorial/README.md +++ b/tutorials/mcp-specification-tutorial/README.md @@ -28,11 +28,8 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`modelcontextprotocol/modelcontextprotocol`](https://github.com/modelcontextprotocol/modelcontextprotocol) -- stars: about **7.1k** -- latest release: [`2025-11-25`](https://github.com/modelcontextprotocol/modelcontextprotocol/releases/tag/2025-11-25) (**November 25, 2025**) -- recent activity: updated on **February 12, 2026** -- primary role: specification + schema + official docs -- licensing note: project transition from MIT to Apache-2.0 (documentation non-spec content under CC-BY-4.0) +- stars: about **7.4k** +- latest release: [`2025-11-25`](https://github.com/modelcontextprotocol/modelcontextprotocol/releases/tag/2025-11-25) (published 2025-11-25) ## Mental Model diff --git a/tutorials/mcp-swift-sdk-tutorial/README.md b/tutorials/mcp-swift-sdk-tutorial/README.md index 9705e65..9c052e3 100644 --- a/tutorials/mcp-swift-sdk-tutorial/README.md +++ b/tutorials/mcp-swift-sdk-tutorial/README.md @@ -28,11 +28,8 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`modelcontextprotocol/swift-sdk`](https://github.com/modelcontextprotocol/swift-sdk) -- stars: about **1.2k** -- latest release: [`0.10.2`](https://github.com/modelcontextprotocol/swift-sdk/releases/tag/0.10.2) -- recent activity: repository is actively maintained; verify latest commits before production rollout -- runtime baseline: Swift 6.0+ (Xcode 16+) -- docs note: README references MCP `2025-03-26` as latest, so verify against current protocol revisions before major rollouts +- stars: about **1.3k** +- latest release: [`0.11.0`](https://github.com/modelcontextprotocol/swift-sdk/releases/tag/0.11.0) (published 2026-02-19) ## Mental Model diff --git a/tutorials/mcp-typescript-sdk-tutorial/README.md b/tutorials/mcp-typescript-sdk-tutorial/README.md index e0046ca..93db08d 100644 --- a/tutorials/mcp-typescript-sdk-tutorial/README.md +++ b/tutorials/mcp-typescript-sdk-tutorial/README.md @@ -28,11 +28,8 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`modelcontextprotocol/typescript-sdk`](https://github.com/modelcontextprotocol/typescript-sdk) -- stars: about **11.6k** -- latest release: [`v1.26.0`](https://github.com/modelcontextprotocol/typescript-sdk/releases/tag/v1.26.0) (**February 4, 2026**) -- recent activity: updated on **February 12, 2026** -- branch posture: `main` is v2 (pre-alpha), `v1.x` remains recommended for production during migration window -- licensing note: MCP project transition from MIT to Apache-2.0 (docs under CC-BY-4.0) +- stars: about **11.7k** +- latest release: [`v1.27.1`](https://github.com/modelcontextprotocol/typescript-sdk/releases/tag/v1.27.1) (published 2026-02-24) ## Mental Model diff --git a/tutorials/mcp-use-tutorial/README.md b/tutorials/mcp-use-tutorial/README.md index f02523a..c5a08f2 100644 --- a/tutorials/mcp-use-tutorial/README.md +++ b/tutorials/mcp-use-tutorial/README.md @@ -28,11 +28,8 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`mcp-use/mcp-use`](https://github.com/mcp-use/mcp-use) -- stars: about **9.1k** -- latest release: [`python-v1.6.0`](https://github.com/mcp-use/mcp-use/releases/tag/python-v1.6.0) (**January 22, 2026**) -- recent activity: updated on **February 12, 2026** -- ecosystem shape: Python + TypeScript implementations, inspector, CLI, and scaffolding tools -- license: MIT +- stars: about **9.3k** +- latest release: [`python-v1.6.0`](https://github.com/mcp-use/mcp-use/releases/tag/python-v1.6.0) (published 2026-01-22) ## Mental Model diff --git a/tutorials/mcpb-tutorial/README.md b/tutorials/mcpb-tutorial/README.md index ee1c632..6530c74 100644 --- a/tutorials/mcpb-tutorial/README.md +++ b/tutorials/mcpb-tutorial/README.md @@ -29,11 +29,7 @@ This track focuses on: - repository: [`modelcontextprotocol/mcpb`](https://github.com/modelcontextprotocol/mcpb) - stars: about **1.7k** -- latest release: [`v2.1.2`](https://github.com/modelcontextprotocol/mcpb/releases/tag/v2.1.2) (**December 4, 2025**) -- recent activity: updated on **February 12, 2026** -- package baseline: `npm install -g @anthropic-ai/mcpb` -- format note: `.dxt` tooling was renamed to `.mcpb`; update legacy references accordingly -- license: MIT +- latest release: [`v2.1.2`](https://github.com/modelcontextprotocol/mcpb/releases/tag/v2.1.2) (published 2025-12-04) ## Mental Model diff --git a/tutorials/meilisearch-tutorial/README.md b/tutorials/meilisearch-tutorial/README.md index 534174c..907ecb4 100644 --- a/tutorials/meilisearch-tutorial/README.md +++ b/tutorials/meilisearch-tutorial/README.md @@ -38,6 +38,12 @@ This comprehensive tutorial will guide you through Meilisearch, a powerful searc - **Multi-language Support**: 80+ languages supported - **Customizable Ranking**: Fine-tune search relevance +## Current Snapshot (auto-updated) + +- repository: [`meilisearch/meilisearch`](https://github.com/meilisearch/meilisearch) +- stars: about **56.1k** +- latest release: [`v1.37.0`](https://github.com/meilisearch/meilisearch/releases/tag/v1.37.0) (published 2026-03-02) + ## 📚 Tutorial Chapters 1. **[Getting Started with Meilisearch](01-getting-started.md)** - Installation, setup, and first search diff --git a/tutorials/mem0-tutorial/README.md b/tutorials/mem0-tutorial/README.md index 83c9d86..a074a6e 100644 --- a/tutorials/mem0-tutorial/README.md +++ b/tutorials/mem0-tutorial/README.md @@ -60,6 +60,12 @@ Welcome to your journey through scalable AI memory systems! This tutorial explor 7. **[Chapter 7: Performance Optimization](07-performance-optimization.md)** - Scaling memory systems for production workloads 8. **[Chapter 8: Deployment & Monitoring](08-production-deployment.md)** - Deploying memory-enabled AI systems at scale +## Current Snapshot (auto-updated) + +- repository: [`mem0ai/mem0`](https://github.com/mem0ai/mem0) +- stars: about **48.4k** +- latest release: [`v1.0.4`](https://github.com/mem0ai/mem0/releases/tag/v1.0.4) (published 2026-02-17) + ## What You'll Learn By the end of this tutorial, you'll be able to: diff --git a/tutorials/mini-swe-agent-tutorial/README.md b/tutorials/mini-swe-agent-tutorial/README.md index ed1861f..9f6db70 100644 --- a/tutorials/mini-swe-agent-tutorial/README.md +++ b/tutorials/mini-swe-agent-tutorial/README.md @@ -28,10 +28,8 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`SWE-agent/mini-swe-agent`](https://github.com/SWE-agent/mini-swe-agent) -- stars: about **2.9k** -- latest release: [`v2.0.0`](https://github.com/SWE-agent/mini-swe-agent/releases/tag/v2.0.0) -- recent activity: updates on **February 11, 2026** -- project positioning: minimal, hackable SWE agent with strong benchmark orientation +- stars: about **3.1k** +- latest release: [`v2.2.6`](https://github.com/SWE-agent/mini-swe-agent/releases/tag/v2.2.6) (published 2026-03-02) ## Mental Model diff --git a/tutorials/mistral-vibe-tutorial/README.md b/tutorials/mistral-vibe-tutorial/README.md index 086b14e..7627f02 100644 --- a/tutorials/mistral-vibe-tutorial/README.md +++ b/tutorials/mistral-vibe-tutorial/README.md @@ -28,10 +28,8 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`mistralai/mistral-vibe`](https://github.com/mistralai/mistral-vibe) -- stars: about **3.0k** -- latest release: [`v2.1.0`](https://github.com/mistralai/mistral-vibe/releases/tag/v2.1.0) -- recent activity: updates on **February 11, 2026** -- project positioning: minimal but capable CLI coding assistant by Mistral +- stars: about **3.3k** +- latest release: [`v2.3.0`](https://github.com/mistralai/mistral-vibe/releases/tag/v2.3.0) (published 2026-02-27) ## Mental Model diff --git a/tutorials/n8n-ai-tutorial/README.md b/tutorials/n8n-ai-tutorial/README.md index cb23fd4..b5eba43 100644 --- a/tutorials/n8n-ai-tutorial/README.md +++ b/tutorials/n8n-ai-tutorial/README.md @@ -61,6 +61,12 @@ flowchart LR class G,H,I,J,K output ``` +## Current Snapshot (auto-updated) + +- repository: [`n8n-io/n8n`](https://github.com/n8n-io/n8n) +- stars: about **177k** +- latest release: [`n8n@2.9.4`](https://github.com/n8n-io/n8n/releases/tag/n8n@2.9.4) (published 2026-02-25) + ## Tutorial Chapters 1. **[Chapter 1: Getting Started](01-getting-started.md)** - Installation and first workflow diff --git a/tutorials/n8n-mcp-tutorial/README.md b/tutorials/n8n-mcp-tutorial/README.md index f70868e..bbb79e3 100644 --- a/tutorials/n8n-mcp-tutorial/README.md +++ b/tutorials/n8n-mcp-tutorial/README.md @@ -25,6 +25,12 @@ This tutorial covers n8n's integration with the Model Context Protocol (MCP) — | **Workflow Integration** | Expose n8n workflows as MCP-callable tools | | **Data Storage** | Persistent context and state management | +## Current Snapshot (auto-updated) + +- repository: [`n8n-io/n8n`](https://github.com/n8n-io/n8n) +- stars: about **177k** +- latest release: [`n8n@2.9.4`](https://github.com/n8n-io/n8n/releases/tag/n8n@2.9.4) (published 2026-02-25) + ## Architecture Overview ```mermaid diff --git a/tutorials/nanocoder-tutorial/README.md b/tutorials/nanocoder-tutorial/README.md index 967b434..4b3a6e4 100644 --- a/tutorials/nanocoder-tutorial/README.md +++ b/tutorials/nanocoder-tutorial/README.md @@ -28,10 +28,8 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`Nano-Collective/nanocoder`](https://github.com/Nano-Collective/nanocoder) -- stars: about **1.3k** -- latest release: [`v1.22.4`](https://github.com/Nano-Collective/nanocoder/releases/tag/v1.22.4) -- development activity: active with recent updates -- project positioning in repo: community-built, local-first terminal coding agent with extensible tooling +- stars: about **1.4k** +- latest release: [`v1.23.0`](https://github.com/Nano-Collective/nanocoder/releases/tag/v1.23.0) (published 2026-02-26) ## Mental Model diff --git a/tutorials/nocodb-database-platform/README.md b/tutorials/nocodb-database-platform/README.md index fa9ec3c..127b708 100644 --- a/tutorials/nocodb-database-platform/README.md +++ b/tutorials/nocodb-database-platform/README.md @@ -118,9 +118,9 @@ Ready to begin? Start with [Chapter 1: System Overview](01-system-overview.md). ## Current Snapshot (auto-updated) -- repository: [nocodb/nocodb](https://github.com/nocodb/nocodb) -- stars: about **48K** -- project positioning: open-source Airtable alternative built on top of existing SQL databases +- repository: [`nocodb/nocodb`](https://github.com/nocodb/nocodb) +- stars: about **62.3k** +- latest release: [`0.301.3`](https://github.com/nocodb/nocodb/releases/tag/0.301.3) (published 2026-02-27) ## What You Will Learn diff --git a/tutorials/obsidian-outliner-plugin/README.md b/tutorials/obsidian-outliner-plugin/README.md index b0491e7..59c3a20 100644 --- a/tutorials/obsidian-outliner-plugin/README.md +++ b/tutorials/obsidian-outliner-plugin/README.md @@ -110,9 +110,9 @@ Ready to begin? Start with [Chapter 1: Plugin Architecture](01-plugin-architectu ## Current Snapshot (auto-updated) -- repository: [vslinko/obsidian-outliner](https://github.com/vslinko/obsidian-outliner) -- stars: about **2.5K** -- project positioning: popular Obsidian plugin adding outliner-style editing to Obsidian notes +- repository: [`vslinko/obsidian-outliner`](https://github.com/vslinko/obsidian-outliner) +- stars: about **1.3k** +- latest release: [`4.10.0`](https://github.com/vslinko/obsidian-outliner/releases/tag/4.10.0) (published 2026-02-24) ## What You Will Learn diff --git a/tutorials/ollama-tutorial/README.md b/tutorials/ollama-tutorial/README.md index 63207ad..e31cce9 100644 --- a/tutorials/ollama-tutorial/README.md +++ b/tutorials/ollama-tutorial/README.md @@ -28,10 +28,8 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`ollama/ollama`](https://github.com/ollama/ollama) -- stars: about **162.4k** -- latest release: [`v0.15.6`](https://github.com/ollama/ollama/releases/tag/v0.15.6) -- development activity: active with frequent releases -- project positioning in repo: local runtime for modern open models with CLI and API +- stars: about **164k** +- latest release: [`v0.17.5`](https://github.com/ollama/ollama/releases/tag/v0.17.5) (published 2026-03-02) ## Mental Model diff --git a/tutorials/onlook-tutorial/README.md b/tutorials/onlook-tutorial/README.md index 3af60ad..57dfa02 100644 --- a/tutorials/onlook-tutorial/README.md +++ b/tutorials/onlook-tutorial/README.md @@ -28,10 +28,8 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`onlook-dev/onlook`](https://github.com/onlook-dev/onlook) -- stars: about **24.7k** -- latest release: [`v0.2.32`](https://github.com/onlook-dev/onlook/releases/tag/v0.2.32) -- recent activity: updates on **January 21, 2026** -- project positioning: open-source visual-first code editor for React/Next.js workflows +- stars: about **24.8k** +- latest release: [`v0.2.32`](https://github.com/onlook-dev/onlook/releases/tag/v0.2.32) (published 2025-07-17) ## Mental Model diff --git a/tutorials/opcode-tutorial/README.md b/tutorials/opcode-tutorial/README.md index 4c2b3a0..d33d273 100644 --- a/tutorials/opcode-tutorial/README.md +++ b/tutorials/opcode-tutorial/README.md @@ -28,10 +28,8 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`winfunc/opcode`](https://github.com/winfunc/opcode) -- stars: about **20.5k** -- latest release: [`v0.2.0`](https://github.com/winfunc/opcode/releases/tag/v0.2.0) -- recent activity: repository appears maintained; verify latest commits for current status -- project positioning: desktop GUI toolkit and command center for Claude Code +- stars: about **20.7k** +- latest release: [`v0.2.0`](https://github.com/winfunc/opcode/releases/tag/v0.2.0) (published 2025-08-31) ## Mental Model diff --git a/tutorials/open-swe-tutorial/README.md b/tutorials/open-swe-tutorial/README.md index 67c57de..1a61286 100644 --- a/tutorials/open-swe-tutorial/README.md +++ b/tutorials/open-swe-tutorial/README.md @@ -29,10 +29,6 @@ This track focuses on: - repository: [`langchain-ai/open-swe`](https://github.com/langchain-ai/open-swe) - stars: about **5.3k** -- latest release: **none tagged** (rolling `main`) -- recent activity: updates on **February 12, 2026** -- maintenance status: repository README marks project as **deprecated** -- project positioning: reference architecture for asynchronous coding-agent workflows ## Mental Model diff --git a/tutorials/open-webui-tutorial/README.md b/tutorials/open-webui-tutorial/README.md index 66335a8..9cb48f2 100644 --- a/tutorials/open-webui-tutorial/README.md +++ b/tutorials/open-webui-tutorial/README.md @@ -28,10 +28,8 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`open-webui/open-webui`](https://github.com/open-webui/open-webui) -- stars: about **123.6k** -- latest release: [`v0.7.2`](https://github.com/open-webui/open-webui/releases/tag/v0.7.2) -- development activity: active with frequent updates -- project scope: user-friendly web interface supporting Ollama, OpenAI-compatible APIs, and additional backends +- stars: about **125k** +- latest release: [`v0.8.7`](https://github.com/open-webui/open-webui/releases/tag/v0.8.7) (published 2026-03-02) ## Mental Model diff --git a/tutorials/openai-python-sdk-tutorial/README.md b/tutorials/openai-python-sdk-tutorial/README.md index d427f5b..012aa9a 100644 --- a/tutorials/openai-python-sdk-tutorial/README.md +++ b/tutorials/openai-python-sdk-tutorial/README.md @@ -28,10 +28,8 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`openai/openai-python`](https://github.com/openai/openai-python) -- stars: about **29.9k** -- latest release: [`v2.20.0`](https://github.com/openai/openai-python/releases/tag/v2.20.0) -- development activity: active with recent releases -- project positioning in repo: official Python SDK for OpenAI API integrations +- stars: about **30.1k** +- latest release: [`v2.24.0`](https://github.com/openai/openai-python/releases/tag/v2.24.0) (published 2026-02-24) ## Mental Model diff --git a/tutorials/openai-realtime-agents-tutorial/README.md b/tutorials/openai-realtime-agents-tutorial/README.md index 493f23d..db1242b 100644 --- a/tutorials/openai-realtime-agents-tutorial/README.md +++ b/tutorials/openai-realtime-agents-tutorial/README.md @@ -29,9 +29,6 @@ This track focuses on: - repository: [`openai/openai-realtime-agents`](https://github.com/openai/openai-realtime-agents) - stars: about **6.8k** -- release status: no tagged releases at this time (main-branch reference implementation) -- development activity: active with recent updates -- project positioning in repo: demonstration patterns for advanced Realtime agent orchestration ## Mental Model diff --git a/tutorials/openai-whisper-tutorial/README.md b/tutorials/openai-whisper-tutorial/README.md index c7ee660..35227d2 100644 --- a/tutorials/openai-whisper-tutorial/README.md +++ b/tutorials/openai-whisper-tutorial/README.md @@ -97,9 +97,9 @@ Ready to begin? Start with [Chapter 1: Getting Started](01-getting-started.md). ## Current Snapshot (auto-updated) -- repository: [openai/whisper](https://github.com/openai/whisper) -- stars: about **76K** -- project positioning: open-source multilingual speech recognition model from OpenAI +- repository: [`openai/whisper`](https://github.com/openai/whisper) +- stars: about **95.3k** +- latest release: [`v20250625`](https://github.com/openai/whisper/releases/tag/v20250625) (published 2025-06-26) ## What You Will Learn diff --git a/tutorials/openbb-tutorial/README.md b/tutorials/openbb-tutorial/README.md index 2fd0322..9b7eb31 100644 --- a/tutorials/openbb-tutorial/README.md +++ b/tutorials/openbb-tutorial/README.md @@ -33,6 +33,12 @@ has_children: true - 🔧 **Extensible Architecture** - Custom extensions and integrations - 🌐 **Web Interface** - User-friendly web-based platform +## Current Snapshot (auto-updated) + +- repository: [`OpenBB-finance/OpenBB`](https://github.com/OpenBB-finance/OpenBB) +- stars: about **62.4k** +- latest release: [`ODP`](https://github.com/OpenBB-finance/OpenBB/releases/tag/ODP) (published 2026-02-09) + ## 🏗️ Architecture Overview ```mermaid diff --git a/tutorials/openclaw-tutorial/README.md b/tutorials/openclaw-tutorial/README.md index e6d8769..9702650 100644 --- a/tutorials/openclaw-tutorial/README.md +++ b/tutorials/openclaw-tutorial/README.md @@ -27,6 +27,12 @@ OpenClaw is an open-source, self-hosted personal AI assistant that connects to t | **Multi-Model** | Claude and GPT support with failover and key rotation | | **Security-First** | Pairing mode, Docker sandboxing, TCC permission management | +## Current Snapshot (auto-updated) + +- repository: [`openclaw/openclaw`](https://github.com/openclaw/openclaw) +- stars: about **247k** +- latest release: [`v2026.3.1`](https://github.com/openclaw/openclaw/releases/tag/v2026.3.1) (published 2026-03-02) + ## Architecture Overview ```mermaid diff --git a/tutorials/opencode-ai-legacy-tutorial/README.md b/tutorials/opencode-ai-legacy-tutorial/README.md index b16f2d8..965c561 100644 --- a/tutorials/opencode-ai-legacy-tutorial/README.md +++ b/tutorials/opencode-ai-legacy-tutorial/README.md @@ -28,11 +28,9 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`opencode-ai/opencode`](https://github.com/opencode-ai/opencode) -- stars: about **10.9k** -- latest release: [`v0.0.55`](https://github.com/opencode-ai/opencode/releases/tag/v0.0.55) -- recent activity: historical activity only; rely on maintained successor for new work -- maintenance status: repository archived and moved to [`charmbracelet/crush`](https://github.com/charmbracelet/crush) -- project positioning: legacy terminal coding agent reference implementation +- stars: about **11.2k** +- latest release: [`v0.0.55`](https://github.com/opencode-ai/opencode/releases/tag/v0.0.55) (published 2025-06-27) +- status: **archived** ## Mental Model diff --git a/tutorials/opencode-tutorial/README.md b/tutorials/opencode-tutorial/README.md index 7b0ed8b..258b3a7 100644 --- a/tutorials/opencode-tutorial/README.md +++ b/tutorials/opencode-tutorial/README.md @@ -28,10 +28,8 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`anomalyco/opencode`](https://github.com/anomalyco/opencode) -- stars: about **102.6k** -- latest release: [`v1.1.59`](https://github.com/anomalyco/opencode/releases/tag/v1.1.59) -- development activity: very active with same-day updates -- project positioning: open-source terminal coding agent with desktop and remote-oriented architecture +- stars: about **114k** +- latest release: [`v1.2.15`](https://github.com/anomalyco/opencode/releases/tag/v1.2.15) (published 2026-02-26) ## Mental Model diff --git a/tutorials/openhands-tutorial/README.md b/tutorials/openhands-tutorial/README.md index 66feb11..596f03c 100644 --- a/tutorials/openhands-tutorial/README.md +++ b/tutorials/openhands-tutorial/README.md @@ -28,10 +28,8 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`OpenHands/OpenHands`](https://github.com/OpenHands/OpenHands) -- stars: about **67.8k** -- latest release: [`1.3.0`](https://github.com/OpenHands/OpenHands/releases/tag/1.3.0) (published February 2, 2026) -- Python package version in source: `1.3.0` (`pyproject.toml`) -- docs surface includes SDK, CLI mode, local setup, and cloud/enterprise guidance +- stars: about **68.4k** +- latest release: [`1.4.0`](https://github.com/OpenHands/OpenHands/releases/tag/1.4.0) (published 2026-02-18) ## Mental Model diff --git a/tutorials/openskills-tutorial/README.md b/tutorials/openskills-tutorial/README.md index c66dabb..c4951cb 100644 --- a/tutorials/openskills-tutorial/README.md +++ b/tutorials/openskills-tutorial/README.md @@ -28,10 +28,8 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`numman-ali/openskills`](https://github.com/numman-ali/openskills) -- stars: about **8.2k** -- latest release: [`v1.5.0`](https://github.com/numman-ali/openskills/releases/tag/v1.5.0) -- development activity: active with recent updates -- project positioning: universal loader for Claude-style skills across coding agents +- stars: about **8.7k** +- latest release: [`v1.5.0`](https://github.com/numman-ali/openskills/releases/tag/v1.5.0) (published 2026-01-17) ## Mental Model diff --git a/tutorials/openspec-tutorial/README.md b/tutorials/openspec-tutorial/README.md index a5b09f3..2510aae 100644 --- a/tutorials/openspec-tutorial/README.md +++ b/tutorials/openspec-tutorial/README.md @@ -29,10 +29,8 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`Fission-AI/OpenSpec`](https://github.com/Fission-AI/OpenSpec) -- stars: about **23.8k** -- latest release: [`v1.1.1`](https://github.com/Fission-AI/OpenSpec/releases/tag/v1.1.1) (**January 30, 2026**) -- recent activity: updated on **February 12, 2026** -- positioning: tool-agnostic spec workflow system spanning 20+ coding assistants +- stars: about **26.9k** +- latest release: [`v1.2.0`](https://github.com/Fission-AI/OpenSpec/releases/tag/v1.2.0) (published 2026-02-23) ## Mental Model diff --git a/tutorials/opensrc-tutorial/README.md b/tutorials/opensrc-tutorial/README.md index d8c4a4b..a7d67e2 100644 --- a/tutorials/opensrc-tutorial/README.md +++ b/tutorials/opensrc-tutorial/README.md @@ -28,10 +28,7 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`vercel-labs/opensrc`](https://github.com/vercel-labs/opensrc) -- stars: about **361** -- npm package version: [`0.6.0`](https://www.npmjs.com/package/opensrc) -- recent activity: updates on **January 26, 2026** -- project positioning: source-fetch utility for AI coding agent context +- stars: about **1k** ## Mental Model diff --git a/tutorials/outlines-tutorial/README.md b/tutorials/outlines-tutorial/README.md index 3a57572..8526cfc 100644 --- a/tutorials/outlines-tutorial/README.md +++ b/tutorials/outlines-tutorial/README.md @@ -27,6 +27,12 @@ Outlines[View Repo](https://github.com/outlines-dev/outlines) is a Py 7. **[Chapter 7: Integration](07-integration.md)** - LangChain, CrewAI, and other frameworks 8. **[Chapter 8: Production](08-production.md)** - Deployment, monitoring, and scaling +## Current Snapshot (auto-updated) + +- repository: [`dottxt-ai/outlines`](https://github.com/dottxt-ai/outlines) +- stars: about **13.5k** +- latest release: [`1.2.11`](https://github.com/dottxt-ai/outlines/releases/tag/1.2.11) (published 2026-02-13) + ## What You'll Learn - **Constrained Generation**: Force LLMs to follow specific patterns and structures diff --git a/tutorials/perplexica-tutorial/README.md b/tutorials/perplexica-tutorial/README.md index 2715e6b..f10cc53 100644 --- a/tutorials/perplexica-tutorial/README.md +++ b/tutorials/perplexica-tutorial/README.md @@ -59,6 +59,12 @@ Welcome to your journey through AI-powered search technology! This tutorial expl 7. **[Chapter 7: Advanced Features](07-advanced-features.md)** - Conversation history, personalization, and analytics 8. **[Chapter 8: Production Deployment](08-production-deployment.md)** - Scaling and deploying your search engine +## Current Snapshot (auto-updated) + +- repository: [`ItzCrazyKns/Perplexica`](https://github.com/ItzCrazyKns/Perplexica) +- stars: about **29.2k** +- latest release: [`v1.12.1`](https://github.com/ItzCrazyKns/Perplexica/releases/tag/v1.12.1) (published 2025-12-31) + ## What You'll Learn By the end of this tutorial, you'll be able to: diff --git a/tutorials/phidata-tutorial/README.md b/tutorials/phidata-tutorial/README.md index 595bb83..fbf3a29 100644 --- a/tutorials/phidata-tutorial/README.md +++ b/tutorials/phidata-tutorial/README.md @@ -27,6 +27,12 @@ Phidata[View Repo](https://github.com/phidatahq/phidata) is a framewo 7. **[Chapter 7: Integrations](07-integrations.md)** - External APIs, databases, and services 8. **[Chapter 8: Production Deployment](08-production-deployment.md)** - Scaling and deploying agent systems +## Current Snapshot (auto-updated) + +- repository: [`phidatahq/phidata`](https://github.com/phidatahq/phidata) +- stars: about **38.3k** +- latest release: [`v2.5.5`](https://github.com/phidatahq/phidata/releases/tag/v2.5.5) (published 2026-02-25) + ## What You'll Learn - **Agent Creation**: Build autonomous AI agents with specialized capabilities diff --git a/tutorials/photoprism-tutorial/README.md b/tutorials/photoprism-tutorial/README.md index f8d7006..9b61202 100644 --- a/tutorials/photoprism-tutorial/README.md +++ b/tutorials/photoprism-tutorial/README.md @@ -28,6 +28,12 @@ This comprehensive tutorial will guide you through PhotoPrism, a powerful AI-pow - **Web-Based Interface**: Access your photos from any device with a modern web browser - **API Integration**: RESTful API for third-party integrations and automation +## Current Snapshot (auto-updated) + +- repository: [`photoprism/photoprism`](https://github.com/photoprism/photoprism) +- stars: about **39.4k** +- latest release: [`251130-b3068414c`](https://github.com/photoprism/photoprism/releases/tag/251130-b3068414c) (published 2025-12-01) + ## 📚 Tutorial Chapters 1. **[Getting Started with PhotoPrism](01-getting-started.md)** - Installation, setup, and first photo library diff --git a/tutorials/plandex-tutorial/README.md b/tutorials/plandex-tutorial/README.md index b39b811..ce7b70c 100644 --- a/tutorials/plandex-tutorial/README.md +++ b/tutorials/plandex-tutorial/README.md @@ -28,10 +28,8 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`plandex-ai/plandex`](https://github.com/plandex-ai/plandex) -- stars: about **15.0k** -- latest release: [`cli/v2.2.1`](https://github.com/plandex-ai/plandex/releases/tag/cli/v2.2.1) -- development activity: active with mature docs and workflows -- project positioning: terminal coding agent for large projects with diff sandbox and autonomy controls +- stars: about **15k** +- latest release: [`cli/v2.2.1`](https://github.com/plandex-ai/plandex/releases/tag/cli/v2.2.1) (published 2025-07-16) ## Mental Model diff --git a/tutorials/planning-with-files-tutorial/README.md b/tutorials/planning-with-files-tutorial/README.md index c3d3696..16c5fdf 100644 --- a/tutorials/planning-with-files-tutorial/README.md +++ b/tutorials/planning-with-files-tutorial/README.md @@ -28,10 +28,8 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`OthmanAdi/planning-with-files`](https://github.com/OthmanAdi/planning-with-files) -- stars: about **13.7k** -- latest release: [`v2.15.0`](https://github.com/OthmanAdi/planning-with-files/releases/tag/v2.15.0) -- recent activity: updates on **February 9, 2026** -- project positioning: cross-IDE planning skill emphasizing persistent file-based workflow memory +- stars: about **15k** +- latest release: [`v2.18.3`](https://github.com/OthmanAdi/planning-with-files/releases/tag/v2.18.3) (published 2026-02-28) ## Mental Model diff --git a/tutorials/playwright-mcp-tutorial/README.md b/tutorials/playwright-mcp-tutorial/README.md index 20b9d78..5f3983a 100644 --- a/tutorials/playwright-mcp-tutorial/README.md +++ b/tutorials/playwright-mcp-tutorial/README.md @@ -28,10 +28,8 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`microsoft/playwright-mcp`](https://github.com/microsoft/playwright-mcp) -- stars: about **27.0k** -- latest release: [`v0.0.64`](https://github.com/microsoft/playwright-mcp/releases/tag/v0.0.64) -- recent activity: updates on **February 9, 2026** -- project positioning: official Playwright MCP server for structured browser automation in agent workflows +- stars: about **28k** +- latest release: [`v0.0.68`](https://github.com/microsoft/playwright-mcp/releases/tag/v0.0.68) (published 2026-02-14) ## Mental Model diff --git a/tutorials/pocketflow-tutorial/README.md b/tutorials/pocketflow-tutorial/README.md index f0673d7..0f7b0dc 100644 --- a/tutorials/pocketflow-tutorial/README.md +++ b/tutorials/pocketflow-tutorial/README.md @@ -28,10 +28,7 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`The-Pocket/PocketFlow`](https://github.com/The-Pocket/PocketFlow) -- stars: about **9.8k** -- release status: no tagged GitHub releases (main branch + docs cadence) -- development activity: stable project with active ecosystem/tutorial repos -- project positioning: 100-line graph-centric framework with multi-language ports +- stars: about **10.1k** ## Mental Model diff --git a/tutorials/postgresql-query-planner/README.md b/tutorials/postgresql-query-planner/README.md index 4b1cb53..8112374 100644 --- a/tutorials/postgresql-query-planner/README.md +++ b/tutorials/postgresql-query-planner/README.md @@ -58,6 +58,11 @@ graph LR STATS --> COST ``` +## Current Snapshot (auto-updated) + +- repository: [`postgres/postgres`](https://github.com/postgres/postgres) +- stars: about **20.2k** + ## Prerequisites - Basic SQL knowledge diff --git a/tutorials/posthog-tutorial/README.md b/tutorials/posthog-tutorial/README.md index 1b126e0..1994770 100644 --- a/tutorials/posthog-tutorial/README.md +++ b/tutorials/posthog-tutorial/README.md @@ -58,6 +58,12 @@ Welcome to your journey through modern product analytics! This tutorial explores 7. **[Chapter 7: Advanced Analytics](07-advanced-analytics.md)** - Cohort analysis and advanced queries 8. **[Chapter 8: Production Deployment](08-production-deployment.md)** - Scaling analytics for production applications +## Current Snapshot (auto-updated) + +- repository: [`PostHog/posthog`](https://github.com/PostHog/posthog) +- stars: about **31.8k** +- latest release: [`posthog-cli-v0.6.1`](https://github.com/PostHog/posthog/releases/tag/posthog-cli-v0.6.1) (published 2026-02-19) + ## What You'll Learn By the end of this tutorial, you'll be able to: diff --git a/tutorials/pydantic-ai-tutorial/README.md b/tutorials/pydantic-ai-tutorial/README.md index 4d52b98..83a8720 100644 --- a/tutorials/pydantic-ai-tutorial/README.md +++ b/tutorials/pydantic-ai-tutorial/README.md @@ -27,6 +27,12 @@ Pydantic AI[View Repo](https://github.com/pydantic/pydantic-ai) is a 7. **[Chapter 7: Advanced Patterns](07-advanced-patterns.md)** - Complex agent workflows and multi-step reasoning 8. **[Chapter 8: Production](08-production.md)** - Deployment, monitoring, and scaling +## Current Snapshot (auto-updated) + +- repository: [`pydantic/pydantic-ai`](https://github.com/pydantic/pydantic-ai) +- stars: about **15.2k** +- latest release: [`v1.63.0`](https://github.com/pydantic/pydantic-ai/releases/tag/v1.63.0) (published 2026-02-23) + ## What You'll Learn - **Type Safety**: Build AI agents with guaranteed type-safe inputs and outputs diff --git a/tutorials/quivr-tutorial/README.md b/tutorials/quivr-tutorial/README.md index d50f682..f1ab55b 100644 --- a/tutorials/quivr-tutorial/README.md +++ b/tutorials/quivr-tutorial/README.md @@ -59,6 +59,12 @@ Welcome to your journey through document-based AI interactions! This tutorial ex 7. **[Chapter 7: Customization](07-customization.md)** - Extending Quivr with custom components 8. **[Chapter 8: Production Deployment](08-production-deployment.md)** - Scaling Quivr for enterprise use +## Current Snapshot (auto-updated) + +- repository: [`QuivrHQ/quivr`](https://github.com/QuivrHQ/quivr) +- stars: about **39k** +- latest release: [`core-0.0.33`](https://github.com/QuivrHQ/quivr/releases/tag/core-0.0.33) (published 2025-02-04) + ## What You'll Learn By the end of this tutorial, you'll be able to: diff --git a/tutorials/qwen-agent-tutorial/README.md b/tutorials/qwen-agent-tutorial/README.md index 153e102..27acb8f 100644 --- a/tutorials/qwen-agent-tutorial/README.md +++ b/tutorials/qwen-agent-tutorial/README.md @@ -28,10 +28,8 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`QwenLM/Qwen-Agent`](https://github.com/QwenLM/Qwen-Agent) -- stars: about **13.3k** -- latest release: [`v0.0.26`](https://github.com/QwenLM/Qwen-Agent/releases/tag/v0.0.26) -- recent activity: updates on **February 3, 2026** -- project positioning: agent framework for Qwen ecosystem with tool, MCP, and planning capabilities +- stars: about **13.5k** +- latest release: [`v0.0.26`](https://github.com/QwenLM/Qwen-Agent/releases/tag/v0.0.26) (published 2025-05-29) ## Mental Model diff --git a/tutorials/ragflow-tutorial/README.md b/tutorials/ragflow-tutorial/README.md index d6df23d..1eec15c 100644 --- a/tutorials/ragflow-tutorial/README.md +++ b/tutorials/ragflow-tutorial/README.md @@ -33,6 +33,12 @@ has_children: true - 🚀 **High Performance** - Optimized for production deployment - 🌐 **Web Interface** - User-friendly management console +## Current Snapshot (auto-updated) + +- repository: [`infiniflow/ragflow`](https://github.com/infiniflow/ragflow) +- stars: about **74k** +- latest release: [`v0.24.0`](https://github.com/infiniflow/ragflow/releases/tag/v0.24.0) (published 2026-02-10) + ## 🏗️ Architecture Overview ```mermaid diff --git a/tutorials/react-fiber-internals/README.md b/tutorials/react-fiber-internals/README.md index d28df15..27512bd 100644 --- a/tutorials/react-fiber-internals/README.md +++ b/tutorials/react-fiber-internals/README.md @@ -74,6 +74,12 @@ graph TB LANES[Priority Lanes] --> SCHEDULER ``` +## Current Snapshot (auto-updated) + +- repository: [`facebook/react`](https://github.com/facebook/react) +- stars: about **243k** +- latest release: [`v19.2.4`](https://github.com/facebook/react/releases/tag/v19.2.4) (published 2026-01-26) + ## Prerequisites - Solid understanding of React fundamentals diff --git a/tutorials/refly-tutorial/README.md b/tutorials/refly-tutorial/README.md index 0cad88c..5b0e089 100644 --- a/tutorials/refly-tutorial/README.md +++ b/tutorials/refly-tutorial/README.md @@ -28,10 +28,8 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`refly-ai/refly`](https://github.com/refly-ai/refly) -- stars: about **6.6k** -- latest release: [`v1.1.0`](https://github.com/refly-ai/refly/releases/tag/v1.1.0) -- recent activity: updates on **February 11, 2026** -- project positioning: open-source agent skills builder with workflow runtime + multi-channel export +- stars: about **6.9k** +- latest release: [`v1.1.0`](https://github.com/refly-ai/refly/releases/tag/v1.1.0) (published 2026-02-02) ## Mental Model diff --git a/tutorials/roo-code-tutorial/README.md b/tutorials/roo-code-tutorial/README.md index 17d9066..31638e1 100644 --- a/tutorials/roo-code-tutorial/README.md +++ b/tutorials/roo-code-tutorial/README.md @@ -28,10 +28,8 @@ This track teaches you how to: ## Current Snapshot (auto-updated) - repository: [`RooCodeInc/Roo-Code`](https://github.com/RooCodeInc/Roo-Code) -- stars: about **22.2k** -- extension package version in repo source: `3.47.3` (`src/package.json`) -- release streams include extension and CLI tags (latest published tag in GitHub releases includes `cli-v0.0.52`) -- docs cover getting started, modes, MCP, profiles, providers, cloud/router features, and release notes +- stars: about **22.5k** +- latest release: [`v3.50.5`](https://github.com/RooCodeInc/Roo-Code/releases/tag/v3.50.5) (published 2026-02-24) ## Roo Code Mental Model diff --git a/tutorials/semantic-kernel-tutorial/README.md b/tutorials/semantic-kernel-tutorial/README.md index 11546dd..8b9a52b 100644 --- a/tutorials/semantic-kernel-tutorial/README.md +++ b/tutorials/semantic-kernel-tutorial/README.md @@ -67,6 +67,12 @@ flowchart TD class F,G,H,I,J,K,L,N,O service ``` +## Current Snapshot (auto-updated) + +- repository: [`microsoft/semantic-kernel`](https://github.com/microsoft/semantic-kernel) +- stars: about **27.3k** +- latest release: [`dotnet-1.72.0`](https://github.com/microsoft/semantic-kernel/releases/tag/dotnet-1.72.0) (published 2026-02-19) + ## Tutorial Chapters 1. **[Chapter 1: Getting Started](01-getting-started.md)** - Installation, setup, and first kernel diff --git a/tutorials/serena-tutorial/README.md b/tutorials/serena-tutorial/README.md index a9ef37a..d37ae8d 100644 --- a/tutorials/serena-tutorial/README.md +++ b/tutorials/serena-tutorial/README.md @@ -28,10 +28,8 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`oraios/serena`](https://github.com/oraios/serena) -- stars: about **20.1k** -- latest release: [`v0.1.4`](https://github.com/oraios/serena/releases/tag/v0.1.4) -- recent activity: updates on **February 11, 2026** -- project positioning: coding-agent toolkit with semantic retrieval/editing capabilities +- stars: about **20.9k** +- latest release: [`v0.1.4`](https://github.com/oraios/serena/releases/tag/v0.1.4) (published 2025-08-15) ## Mental Model diff --git a/tutorials/shotgun-tutorial/README.md b/tutorials/shotgun-tutorial/README.md index 79b6b15..2e1fd39 100644 --- a/tutorials/shotgun-tutorial/README.md +++ b/tutorials/shotgun-tutorial/README.md @@ -28,10 +28,8 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`shotgun-sh/shotgun`](https://github.com/shotgun-sh/shotgun) -- stars: about **585** -- latest release: [`0.9.0`](https://github.com/shotgun-sh/shotgun/releases/tag/0.9.0) -- recent activity: updates on **February 11, 2026** -- project positioning: spec-driven development system for AI coding agents +- stars: about **625** +- latest release: [`0.10.12`](https://github.com/shotgun-sh/shotgun/releases/tag/0.10.12) (published 2026-02-25) ## Mental Model diff --git a/tutorials/sillytavern-tutorial/README.md b/tutorials/sillytavern-tutorial/README.md index f053400..a679e90 100644 --- a/tutorials/sillytavern-tutorial/README.md +++ b/tutorials/sillytavern-tutorial/README.md @@ -34,6 +34,12 @@ has_children: true - 📝 **Chat Management** - Advanced conversation organization and search - 🎯 **Role-Playing Focus** - Specialized for creative writing and RP scenarios +## Current Snapshot (auto-updated) + +- repository: [`SillyTavern/SillyTavern`](https://github.com/SillyTavern/SillyTavern) +- stars: about **23.8k** +- latest release: [`1.16.0`](https://github.com/SillyTavern/SillyTavern/releases/tag/1.16.0) (published 2026-02-14) + ## 🏗️ Architecture Overview ```mermaid diff --git a/tutorials/siyuan-tutorial/README.md b/tutorials/siyuan-tutorial/README.md index 442f314..7f028d1 100644 --- a/tutorials/siyuan-tutorial/README.md +++ b/tutorials/siyuan-tutorial/README.md @@ -55,6 +55,12 @@ Welcome to your journey through SiYuan's architecture! This tutorial explores ho 7. **[Chapter 7: Advanced Features](07-advanced-features.md)** - SQL queries, API integration, and automation 8. **[Chapter 8: Production Deployment](08-production-deployment.md)** - Self-hosting and enterprise deployment +## Current Snapshot (auto-updated) + +- repository: [`siyuan-note/siyuan`](https://github.com/siyuan-note/siyuan) +- stars: about **41.6k** +- latest release: [`v3.5.8`](https://github.com/siyuan-note/siyuan/releases/tag/v3.5.8) (published 2026-02-24) + ## What You'll Learn By the end of this tutorial, you'll be able to: diff --git a/tutorials/smolagents-tutorial/README.md b/tutorials/smolagents-tutorial/README.md index 3ce8f4e..76aa505 100644 --- a/tutorials/smolagents-tutorial/README.md +++ b/tutorials/smolagents-tutorial/README.md @@ -61,6 +61,12 @@ flowchart TD class G,J output ``` +## Current Snapshot (auto-updated) + +- repository: [`huggingface/smolagents`](https://github.com/huggingface/smolagents) +- stars: about **25.7k** +- latest release: [`v1.24.0`](https://github.com/huggingface/smolagents/releases/tag/v1.24.0) (published 2026-01-16) + ## Tutorial Chapters 1. **[Chapter 1: Getting Started](01-getting-started.md)** - Installation, setup, and your first smolagent diff --git a/tutorials/stagewise-tutorial/README.md b/tutorials/stagewise-tutorial/README.md index 3ab18ea..36740e2 100644 --- a/tutorials/stagewise-tutorial/README.md +++ b/tutorials/stagewise-tutorial/README.md @@ -30,9 +30,7 @@ This track focuses on: - repository: [`stagewise-io/stagewise`](https://github.com/stagewise-io/stagewise) - stars: about **6.5k** -- latest release: [`stagewise-vscode-extension@0.11.4`](https://github.com/stagewise-io/stagewise/releases/tag/stagewise-vscode-extension%400.11.4) (**November 28, 2025**) -- recent activity: updated on **February 12, 2026** -- positioning: frontend coding agent platform with browser context selection, CLI proxy, and open agent/plugin interfaces +- latest release: [`stagewise-vscode-extension@0.11.4`](https://github.com/stagewise-io/stagewise/releases/tag/stagewise-vscode-extension@0.11.4) (published 2025-11-28) ## Mental Model diff --git a/tutorials/strands-agents-tutorial/README.md b/tutorials/strands-agents-tutorial/README.md index bf65596..d118410 100644 --- a/tutorials/strands-agents-tutorial/README.md +++ b/tutorials/strands-agents-tutorial/README.md @@ -28,10 +28,8 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`strands-agents/sdk-python`](https://github.com/strands-agents/sdk-python) -- stars: about **5.1k** -- latest release: [`v1.26.0`](https://github.com/strands-agents/sdk-python/releases/tag/v1.26.0) -- recent activity: updates on **February 11, 2026** -- project positioning: model-driven agent SDK with native MCP integration and broad provider support +- stars: about **5.2k** +- latest release: [`v1.28.0`](https://github.com/strands-agents/sdk-python/releases/tag/v1.28.0) (published 2026-02-25) ## Mental Model diff --git a/tutorials/supabase-tutorial/README.md b/tutorials/supabase-tutorial/README.md index ffab99f..8651f18 100644 --- a/tutorials/supabase-tutorial/README.md +++ b/tutorials/supabase-tutorial/README.md @@ -67,6 +67,12 @@ Welcome to your journey through modern backend development! This tutorial explor 7. **[Chapter 7: Advanced Queries & RLS](07-advanced-queries.md)** - Complex queries, Row Level Security, and performance optimization 8. **[Chapter 8: Production Deployment](08-production-deployment.md)** - Scaling, monitoring, and production best practices +## Current Snapshot (auto-updated) + +- repository: [`supabase/supabase`](https://github.com/supabase/supabase) +- stars: about **98.4k** +- latest release: [`v1.26.02`](https://github.com/supabase/supabase/releases/tag/v1.26.02) (published 2026-02-05) + ## What You'll Learn By the end of this tutorial, you'll be able to: diff --git a/tutorials/superagi-tutorial/README.md b/tutorials/superagi-tutorial/README.md index fda126f..75b6cc3 100644 --- a/tutorials/superagi-tutorial/README.md +++ b/tutorials/superagi-tutorial/README.md @@ -60,6 +60,12 @@ Welcome to your journey through autonomous AI agent development! This tutorial e 7. **[Chapter 7: Deployment & Scaling](07-deployment-scaling.md)** - Production deployment and performance optimization 8. **[Chapter 8: Advanced Features](08-advanced-features.md)** - Custom agents, plugins, and enterprise integrations +## Current Snapshot (auto-updated) + +- repository: [`TransformerOptimus/SuperAGI`](https://github.com/TransformerOptimus/SuperAGI) +- stars: about **17.2k** +- latest release: [`v0.0.14`](https://github.com/TransformerOptimus/SuperAGI/releases/tag/v0.0.14) (published 2024-01-16) + ## What You'll Learn By the end of this tutorial, you'll be able to: diff --git a/tutorials/superset-terminal-tutorial/README.md b/tutorials/superset-terminal-tutorial/README.md index 417eed1..d7cfbba 100644 --- a/tutorials/superset-terminal-tutorial/README.md +++ b/tutorials/superset-terminal-tutorial/README.md @@ -28,10 +28,8 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`superset-sh/superset`](https://github.com/superset-sh/superset) -- stars: about **1.5k** -- latest release: [`desktop-v0.0.70`](https://github.com/superset-sh/superset/releases/tag/desktop-v0.0.70) -- recent activity: updates on **February 12, 2026** -- project positioning: command center for CLI coding agents +- stars: about **3.3k** +- latest release: [`desktop-v1.0.4`](https://github.com/superset-sh/superset/releases/tag/desktop-v1.0.4) (published 2026-03-02) ## Mental Model diff --git a/tutorials/swarm-tutorial/README.md b/tutorials/swarm-tutorial/README.md index b1fbe2b..d1cc766 100644 --- a/tutorials/swarm-tutorial/README.md +++ b/tutorials/swarm-tutorial/README.md @@ -61,6 +61,11 @@ flowchart LR class H output ``` +## Current Snapshot (auto-updated) + +- repository: [`openai/swarm`](https://github.com/openai/swarm) +- stars: about **21.1k** + ## Tutorial Chapters 1. **[Chapter 1: Getting Started](01-getting-started.md)** - Installation, setup, and your first Swarm agent diff --git a/tutorials/swe-agent-tutorial/README.md b/tutorials/swe-agent-tutorial/README.md index 8a12cbe..26a6fa4 100644 --- a/tutorials/swe-agent-tutorial/README.md +++ b/tutorials/swe-agent-tutorial/README.md @@ -28,11 +28,8 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`SWE-agent/SWE-agent`](https://github.com/SWE-agent/SWE-agent) -- stars: about **18.5k** -- latest release: [`v1.1.0`](https://github.com/SWE-agent/SWE-agent/releases/tag/v1.1.0) -- recent activity: updates on **February 10, 2026** -- project note: maintainers indicate active investment in [`mini-swe-agent`](https://github.com/SWE-agent/mini-swe-agent/) -- project positioning: configurable autonomous coding agent for issue resolution and benchmark research +- stars: about **18.6k** +- latest release: [`v1.1.0`](https://github.com/SWE-agent/SWE-agent/releases/tag/v1.1.0) (published 2025-05-22) ## Mental Model diff --git a/tutorials/sweep-tutorial/README.md b/tutorials/sweep-tutorial/README.md index 4eae548..36d2fb3 100644 --- a/tutorials/sweep-tutorial/README.md +++ b/tutorials/sweep-tutorial/README.md @@ -30,9 +30,7 @@ This track focuses on: - repository: [`sweepai/sweep`](https://github.com/sweepai/sweep) - stars: about **7.6k** -- latest tagged release in repository: [`sweep-sandbox-v1`](https://github.com/sweepai/sweep/releases/tag/sweep-sandbox-v1) (legacy tag) -- recent activity: verify latest commits to confirm current maintenance status -- posture note: repository README now points users to the Sweep JetBrains plugin while legacy docs continue to describe GitHub issue-to-PR workflows +- latest release: [`sweep-sandbox-v1`](https://github.com/sweepai/sweep/releases/tag/sweep-sandbox-v1) (published 2023-09-11) ## Mental Model diff --git a/tutorials/tabby-tutorial/README.md b/tutorials/tabby-tutorial/README.md index 9145af2..a50520d 100644 --- a/tutorials/tabby-tutorial/README.md +++ b/tutorials/tabby-tutorial/README.md @@ -29,10 +29,8 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`TabbyML/tabby`](https://github.com/TabbyML/tabby) -- stars: about **32.9k** -- latest release: [`v0.32.0`](https://github.com/TabbyML/tabby/releases/tag/v0.32.0) (**January 25, 2026**) -- recent activity: updated on **February 12, 2026** -- positioning: self-hosted AI coding assistant with completion, chat, repository context, and editor agents +- stars: about **33k** +- latest release: [`v0.32.0`](https://github.com/TabbyML/tabby/releases/tag/v0.32.0) (published 2026-01-25) ## Mental Model diff --git a/tutorials/taskade-awesome-vibe-coding-tutorial/README.md b/tutorials/taskade-awesome-vibe-coding-tutorial/README.md index c52bd99..ee7d1e2 100644 --- a/tutorials/taskade-awesome-vibe-coding-tutorial/README.md +++ b/tutorials/taskade-awesome-vibe-coding-tutorial/README.md @@ -20,14 +20,10 @@ format_version: v2 Teams can use it to reduce stack-selection time, avoid tool churn, and build consistent adoption playbooks. -## Current Snapshot (verified 2026-02-24) +## Current Snapshot (auto-updated) - repository: [`taskade/awesome-vibe-coding`](https://github.com/taskade/awesome-vibe-coding) -- stars: about **5** -- forks: about **1** -- recent push: **2026-02-11** -- companion repos used in this track's decision context: [`taskade/mcp`](https://github.com/taskade/mcp), [`taskade/docs`](https://github.com/taskade/docs), [`taskade/taskade`](https://github.com/taskade/taskade) -- current posture: actively curated thematic catalog with sections for app builders, coding editors/CLIs, MCP ecosystem, frameworks, workflows, and learning resources +- stars: about **6** ## Mental Model diff --git a/tutorials/taskade-docs-tutorial/README.md b/tutorials/taskade-docs-tutorial/README.md index 77b7912..2cd16da 100644 --- a/tutorials/taskade-docs-tutorial/README.md +++ b/tutorials/taskade-docs-tutorial/README.md @@ -20,18 +20,10 @@ format_version: v2 Understanding how this repo is organized makes onboarding, integration planning, and documentation governance materially faster. -## Current Snapshot (verified 2026-02-24) +## Current Snapshot (auto-updated) - repository: [`taskade/docs`](https://github.com/taskade/docs) -- stars: about **10** -- forks: about **4** -- recent push: **2026-02-20** -- related active org repos: [`taskade/mcp`](https://github.com/taskade/mcp), [`taskade/taskade`](https://github.com/taskade/taskade) -- structure posture: GitBook-oriented docs tree with `README.md`, `SUMMARY.md`, `.gitbook.yaml`, and thematic folders for: - - Genesis / living system builder - - API documentation - - automation and help-center coverage - - updates and changelog timelines +- stars: about **11** ## Mental Model diff --git a/tutorials/taskade-mcp-tutorial/README.md b/tutorials/taskade-mcp-tutorial/README.md index 269d0b6..295e609 100644 --- a/tutorials/taskade-mcp-tutorial/README.md +++ b/tutorials/taskade-mcp-tutorial/README.md @@ -21,17 +21,11 @@ format_version: v2 Instead of manually wiring custom integrations, you can expose Taskade operations as MCP tools and let clients like Claude Desktop, Cursor, and n8n orchestrate real work. -## Current Snapshot (verified 2026-02-24) +## Current Snapshot (auto-updated) - repository: [`taskade/mcp`](https://github.com/taskade/mcp) -- stars: about **108** -- forks: about **30** -- default branch: `main` -- recent push: **2026-02-13** -- related org repos: [`taskade/docs`](https://github.com/taskade/docs), [`taskade/taskade`](https://github.com/taskade/taskade) -- repo posture: active monorepo with two key packages: - - `@taskade/mcp-server` - - `@taskade/mcp-openapi-codegen` +- stars: about **111** +- latest release: [`v0.0.1`](https://github.com/taskade/mcp/releases/tag/v0.0.1) (published 2026-02-13) ## Mental Model diff --git a/tutorials/taskade-tutorial/README.md b/tutorials/taskade-tutorial/README.md index a7a6168..4d209f4 100644 --- a/tutorials/taskade-tutorial/README.md +++ b/tutorials/taskade-tutorial/README.md @@ -21,14 +21,10 @@ Taskade spans multiple product surfaces: workspace planning, app generation, aut This track gives you a practical operating model across those surfaces so teams can move from experimentation to repeatable production workflows. -## Current Snapshot (verified 2026-02-24) - -- platform repository: [`taskade/taskade`](https://github.com/taskade/taskade) (about **4 stars**, recently pushed **2026-02-19**) -- documentation repository: [`taskade/docs`](https://github.com/taskade/docs) (about **10 stars**, recently pushed **2026-02-20**) -- official MCP repository: [`taskade/mcp`](https://github.com/taskade/mcp) (about **108 stars**, recently pushed **2026-02-13**) -- curated vibe-coding list: [`taskade/awesome-vibe-coding`](https://github.com/taskade/awesome-vibe-coding) (about **5 stars**, recently pushed **2026-02-11**) -- parser utility used in automation/runtime tooling: [`taskade/temporal-parser`](https://github.com/taskade/temporal-parser) (about **1 star**, recently pushed **2026-02-12**) -- product docs posture: active docs and help-center footprint with strong focus on Genesis, AI agents, automations, and workspace workflows +## Current Snapshot (auto-updated) + +- repository: [`taskade/taskade`](https://github.com/taskade/taskade) +- stars: about **6** ## Mental Model diff --git a/tutorials/teable-database-platform/README.md b/tutorials/teable-database-platform/README.md index 5a468c5..115ece2 100644 --- a/tutorials/teable-database-platform/README.md +++ b/tutorials/teable-database-platform/README.md @@ -118,9 +118,9 @@ Ready to begin? Start with [Chapter 1: System Overview](01-system-overview.md). ## Current Snapshot (auto-updated) -- repository: [teableio/teable](https://github.com/teableio/teable) -- stars: about **15K** -- project positioning: high-performance PostgreSQL-native no-code database with real-time collaboration +- repository: [`teableio/teable`](https://github.com/teableio/teable) +- stars: about **21k** +- latest release: [`v1.10.0`](https://github.com/teableio/teable/releases/tag/v1.10.0) (published 2025-09-15) ## What You Will Learn diff --git a/tutorials/tiktoken-tutorial/README.md b/tutorials/tiktoken-tutorial/README.md index 22d9821..a25515a 100644 --- a/tutorials/tiktoken-tutorial/README.md +++ b/tutorials/tiktoken-tutorial/README.md @@ -200,9 +200,9 @@ Ready to begin? Start with [Chapter 1: Getting Started](01-getting-started.md). ## Current Snapshot (auto-updated) -- repository: [openai/tiktoken](https://github.com/openai/tiktoken) -- stars: about **12K** -- project positioning: OpenAI's official fast BPE tokenizer library used by GPT models +- repository: [`openai/tiktoken`](https://github.com/openai/tiktoken) +- stars: about **17.4k** +- latest release: [`0.12.0`](https://github.com/openai/tiktoken/releases/tag/0.12.0) (published 2025-10-06) ## Source References diff --git a/tutorials/turborepo-tutorial/README.md b/tutorials/turborepo-tutorial/README.md index 403b996..0ad677f 100644 --- a/tutorials/turborepo-tutorial/README.md +++ b/tutorials/turborepo-tutorial/README.md @@ -65,6 +65,12 @@ Welcome to your journey through high-performance monorepo development! This tuto 7. **[Chapter 7: CI/CD Integration](07-cicd-integration.md)** - Integrating with continuous integration 8. **[Chapter 8: Performance Optimization](08-performance-optimization.md)** - Advanced optimization techniques +## Current Snapshot (auto-updated) + +- repository: [`vercel/turborepo`](https://github.com/vercel/turborepo) +- stars: about **29.9k** +- latest release: [`v2.8.12`](https://github.com/vercel/turborepo/releases/tag/v2.8.12) (published 2026-02-27) + ## What You'll Learn By the end of this tutorial, you'll be able to: diff --git a/tutorials/use-mcp-tutorial/README.md b/tutorials/use-mcp-tutorial/README.md index b59c692..8143ea3 100644 --- a/tutorials/use-mcp-tutorial/README.md +++ b/tutorials/use-mcp-tutorial/README.md @@ -28,12 +28,8 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`modelcontextprotocol/use-mcp`](https://github.com/modelcontextprotocol/use-mcp) -- stars: about **1.0k** -- repository status: **archived** -- latest visible tag: [`v0.0.21`](https://github.com/modelcontextprotocol/use-mcp/tags) -- recent metadata activity: verify current archive metadata in upstream repository -- package baseline: `npm install use-mcp` -- license: MIT +- stars: about **1k** +- status: **archived** ## Mental Model diff --git a/tutorials/vercel-ai-tutorial/README.md b/tutorials/vercel-ai-tutorial/README.md index 82e8fe0..710c55c 100644 --- a/tutorials/vercel-ai-tutorial/README.md +++ b/tutorials/vercel-ai-tutorial/README.md @@ -26,10 +26,8 @@ The AI SDK is one of the most widely used TypeScript toolkits for shipping moder ## Current Snapshot (auto-updated) - repository: [`vercel/ai`](https://github.com/vercel/ai) -- stars: about **21.7k** -- latest core package release: `ai@6.0.79` (published February 11, 2026) -- release cadence: frequent package updates across core and provider integrations -- official docs site: [`ai-sdk.dev`](https://ai-sdk.dev) +- stars: about **22.2k** +- latest release: [`@ai-sdk/vue@3.0.106`](https://github.com/vercel/ai/releases/tag/@ai-sdk/vue@3.0.106) (published 2026-03-02) ## Mental Model diff --git a/tutorials/vibe-kanban-tutorial/README.md b/tutorials/vibe-kanban-tutorial/README.md index d7d9b44..156e0b2 100644 --- a/tutorials/vibe-kanban-tutorial/README.md +++ b/tutorials/vibe-kanban-tutorial/README.md @@ -28,10 +28,8 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`BloopAI/vibe-kanban`](https://github.com/BloopAI/vibe-kanban) -- stars: about **21.0k** -- latest release: [`v0.1.11-20260211154151`](https://github.com/BloopAI/vibe-kanban/releases/tag/v0.1.11-20260211154151) -- recent activity: updates on **February 11, 2026** -- project positioning: command center for multi-agent coding execution and review +- stars: about **22.2k** +- latest release: [`remote-v0.1.18`](https://github.com/BloopAI/vibe-kanban/releases/tag/remote-v0.1.18) (published 2026-03-02) ## Mental Model diff --git a/tutorials/vibesdk-tutorial/README.md b/tutorials/vibesdk-tutorial/README.md index f28cdc8..3c7b320 100644 --- a/tutorials/vibesdk-tutorial/README.md +++ b/tutorials/vibesdk-tutorial/README.md @@ -29,9 +29,7 @@ This track focuses on: - repository: [`cloudflare/vibesdk`](https://github.com/cloudflare/vibesdk) - stars: about **4.8k** -- latest release: [`v1.5.0`](https://github.com/cloudflare/vibesdk/releases/tag/v1.5.0) -- development activity: active with recent updates -- project positioning in repo: open-source Cloudflare-native reference platform for vibe-coding products +- latest release: [`v1.5.0`](https://github.com/cloudflare/vibesdk/releases/tag/v1.5.0) (published 2026-02-06) ## Mental Model diff --git a/tutorials/vllm-tutorial/README.md b/tutorials/vllm-tutorial/README.md index e855e93..d97e2ab 100644 --- a/tutorials/vllm-tutorial/README.md +++ b/tutorials/vllm-tutorial/README.md @@ -52,6 +52,12 @@ flowchart TD class G,H,I perf ``` +## Current Snapshot (auto-updated) + +- repository: [`vllm-project/vllm`](https://github.com/vllm-project/vllm) +- stars: about **71.7k** +- latest release: [`v0.16.0`](https://github.com/vllm-project/vllm/releases/tag/v0.16.0) (published 2026-02-25) + ## Core Technologies ### Continuous Batching diff --git a/tutorials/whisper-cpp-tutorial/README.md b/tutorials/whisper-cpp-tutorial/README.md index 900c282..2b73600 100644 --- a/tutorials/whisper-cpp-tutorial/README.md +++ b/tutorials/whisper-cpp-tutorial/README.md @@ -53,6 +53,12 @@ Welcome to your journey through Whisper.cpp! This tutorial takes you from basic 7. **[Chapter 7: Platform Integration](07-platform-integration.md)** - iOS/Android/WebAssembly bindings, Python/Node.js wrappers 8. **[Chapter 8: Production Deployment](08-deployment-production.md)** - Server mode, batch processing, GPU acceleration, and scaling patterns +## Current Snapshot (auto-updated) + +- repository: [`ggml-org/whisper.cpp`](https://github.com/ggml-org/whisper.cpp) +- stars: about **47.2k** +- latest release: [`v1.8.3`](https://github.com/ggml-org/whisper.cpp/releases/tag/v1.8.3) (published 2026-01-15) + ## What You'll Learn By the end of this tutorial, you'll be able to: diff --git a/tutorials/wshobson-agents-tutorial/README.md b/tutorials/wshobson-agents-tutorial/README.md index b02df59..39d7273 100644 --- a/tutorials/wshobson-agents-tutorial/README.md +++ b/tutorials/wshobson-agents-tutorial/README.md @@ -28,10 +28,7 @@ This track focuses on: ## Current Snapshot (auto-updated) - repository: [`wshobson/agents`](https://github.com/wshobson/agents) -- stars: about **28.4k** -- latest release: **none tagged** (rolling `main`) -- recent push activity: **February 7, 2026** -- project positioning: large Claude Code plugin marketplace for multi-agent automation +- stars: about **29.9k** ## Mental Model