WOWHOW
  • Browse
  • Blogs
  • Tools
  • About
  • Sign In
  • Checkout

WOWHOW

Premium dev tools & templates.
Made for developers who ship.

Products

  • Browse All
  • New Arrivals
  • Most Popular
  • AI & LLM Tools

Company

  • About Us
  • Blog
  • Contact
  • Tools

Resources

  • FAQ
  • Support
  • Sitemap

Legal

  • Terms & Conditions
  • Privacy Policy
  • Refund Policy
About UsPrivacy PolicyTerms & ConditionsRefund PolicySitemap

© 2025 WOWHOW — a product of Absomind Technologies. All rights reserved.

Blog/AI Tools & Tutorials

The Claude Code Features 99% of Users Don't Know Exist

P

Promptium Team

7 February 2026

9 min read1,932 words
ClaudeClaude CodeAIAgentsSubagentsAnthropic

Part 1 taught you to walk. Now we run.

The Claude Code Features 99% of Users Don't Know Exist

Reading time: 26 minutes | For: Advanced Developers, Tech Leads | Part 2 of 3

Claude Code Advanced

You're playing a piano with 88 keys. You've been using 12.

Part 1 taught you to walk. Now we run.

What you're about to learn isn't in the getting started guides. It's not in the casual YouTube tutorials. These are the features that turn Claude Code from a coding assistant into a software development force multiplier.

Let's start with the one nobody's talking about.


Jazz Improvisation and Software Architecture

Before diving into features, I need to give you a mental model.

Jazz musicians don't play random notes. They operate within structures—chord progressions, scales, rhythmic patterns—and then play off those structures. The constraints enable creativity. The foundation enables flight.

Miles Davis didn't improvise despite knowing music theory. He improvised because he knew it so deeply it became invisible.

Claude Code's advanced features work the same way. Remote sessions. Agent SDK. Subagents. Background tasks. These aren't isolated features. They're instruments in an ensemble.

And like jazz, the magic isn't in playing one perfectly. It's in playing them together.


Remote Sessions: Your AI Across the Wire

Here's a problem most teams face: Claude Code runs locally. Your context is your machine. But teams don't work on single machines.

Remote sessions change that.

What Remote Sessions Actually Are

claude --remote

This spawns a Claude Code session that doesn't run locally. It runs on Anthropic's infrastructure. The implications:

1. Infinite Context Window

Local Claude Code is constrained by token limits. Remote sessions aren't. They can hold your entire codebase in context. Not summaries. Not embeddings. The actual code.

2. Cross-Machine Persistence

Start a session on your laptop. Continue it from your desktop. Pick it up on your phone (yes, really). The session lives in the cloud.

3. Team Collaboration

This is the big one. Share a session ID with a teammate. They join your context. They see what Claude sees. You're pair programming with an AI in the middle.

Setting Up Remote Sessions

Step 1: Enable Remote Features

Your API key needs remote access enabled. Check your Anthropic console.

Step 2: Start a Remote Session

claude --remote

You'll get a session ID. Something like:

Session started: rsn_a8f3b2c1d4e5f6g7h8i9j0

That ID is your portal.

Step 3: Share the Session

claude --resume rsn_a8f3b2c1d4e5f6g7h8i9j0

Anyone with this ID (and appropriate permissions) can join.

The Pattern Nobody Uses

Here's what advanced teams do:

  1. Morning Standup Session - Start a remote session with project context loaded. The session stays alive. Every team member can query it throughout the day.

  2. Code Review Sessions - Don't send PRs into the void. Create a session with the changes loaded. Reviewers join, discuss with Claude as mediator.

  3. Debugging Sessions - One person finds a bug. Starts a session. Loads context. Other engineers join as needed. The bug's context doesn't leave.

This isn't a feature. It's a collaboration paradigm.


The Agent SDK: Building Your Own Claude

Claude Code is Claude Code. But what if you wanted to build something different? Something specialized?

The Agent SDK lets you create custom agents powered by Claude's intelligence but shaped by your architecture.

What The Agent SDK Provides

import { Agent, Tool, Memory } from '@anthropic-ai/agent-sdk';

const myAgent = new Agent({
  model: 'claude-opus-4-5-20251101',
  tools: [readFile, writeFile, runTests],
  memory: persistentMemory,
  instructions: 'You are a specialized testing agent...'
});

You're not wrapping an API. You're constructing an autonomous system.

Core Components

1. Tools

Tools are functions your agent can call. Claude Code has built-in tools. Your agent can have custom ones.

const deployTool = Tool.create({
  name: 'deploy',
  description: 'Deploy the application to specified environment',
  parameters: {
    environment: { type: 'string', enum: ['staging', 'production'] }
  },
  execute: async (params) => {
    // Your deployment logic
  }
});

2. Memory

Agents can persist information across sessions. Not just conversation history—structured memory.

const memory = Memory.create({
  type: 'persistent',
  storage: 'local', // or 'remote' for cloud persistence
  schema: {
    projectContext: 'string',
    userPreferences: 'object',
    learnings: 'array'
  }
});

3. Instructions

System prompts on steroids. Not just personality—operating procedures.

instructions: `
You are a security-focused code reviewer.

ALWAYS:
- Check for SQL injection vulnerabilities
- Verify input sanitization
- Flag hardcoded credentials

NEVER:
- Suggest changes without explaining the security implication
- Approve code that hasn't passed SAST scanning
`

A Real Agent Example

Let's build something useful: a PR review agent.

import { Agent, Tool, Memory } from '@anthropic-ai/agent-sdk';

const prReviewAgent = new Agent({
  name: 'PR Reviewer',
  model: 'claude-opus-4-5-20251101',

  tools: [
    Tool.builtin('read_file'),
    Tool.builtin('git_diff'),
    Tool.create({
      name: 'add_review_comment',
      description: 'Add a review comment to the PR',
      parameters: {
        file: 'string',
        line: 'number',
        comment: 'string',
        severity: { enum: ['info', 'warning', 'critical'] }
      },
      execute: async (params) => {
        return await githubApi.addComment(params);
      }
    })
  ],

  memory: Memory.create({
    type: 'persistent',
    schema: {
      reviewPatterns: 'array', // Patterns we've flagged before
      projectStyle: 'object'   // Learned code style
    }
  }),

  instructions: `
    Review PRs with focus on:
    1. Logic errors and edge cases
    2. Security vulnerabilities
    3. Performance implications
    4. Code style consistency with project patterns

    Be specific. Reference line numbers.
    Suggest fixes, don't just identify problems.
  `
});

// Use it
const result = await prReviewAgent.run({
  task: 'Review the changes in this PR',
  context: { prNumber: 423, repo: 'acme/backend' }
});

This agent:

  • Reads the PR diff
  • Applies security and logic checks
  • Remembers patterns from previous reviews
  • Posts specific, actionable comments

Run it on every PR. It becomes part of your review process.


Subagents: Divide and Conquer

Here's where it gets interesting.

Claude Code can spawn subagents—smaller, focused instances that handle specific tasks while the main context continues.

The Pattern

You: "Refactor the authentication system"

Claude Code (main):
  "This is a complex task. I'll break it down:
   - Subagent 1: Analyze current auth patterns
   - Subagent 2: Research best practices
   - Subagent 3: Implement changes

   Spawning agents..."

The main session orchestrates. Subagents execute. Results flow back.

Spawning Subagents

From within Claude Code, you can use the Task tool:

Break this into parallel tasks:
1. Find all deprecated API calls
2. Check test coverage gaps
3. Identify security vulnerabilities

Run these simultaneously and summarize findings.

Claude Code automatically:

  1. Creates three subagent contexts
  2. Assigns tasks to each
  3. Runs them in parallel
  4. Aggregates results

You get three agents' worth of work in one agent's time.

The Hierarchy

Main Agent (your Claude Code session)
├── Subagent: Code Explorer
│   └── Focused on reading and understanding
├── Subagent: Implementation
│   └── Focused on writing and modifying
└── Subagent: Verification
    └── Focused on testing and validation

Each subagent is specialized. None is overwhelmed. The main agent coordinates.

This mirrors how senior engineers work. They don't do everything themselves. They delegate, coordinate, and synthesize.


Background Tasks: Async Everything

Sometimes you need work done, but you don't need to wait for it.

Running in Background

Run the full test suite in background.
Continue working on the API endpoint.
Alert me when tests finish.

The tests run. You keep working. Results appear when ready.

The Practical Application

Scenario: You're implementing a feature. It requires:

  1. Code changes (15 minutes of focus)
  2. Documentation updates (low priority)
  3. Test generation (can run async)
  4. Security scan (runs in background)

Old way: Do each sequentially. 2 hours.

New way:

Start these in background:
- Generate tests for UserService
- Update API documentation
- Run security scan on new endpoints

I'll focus on the implementation.

Background tasks execute while you work. Results accumulate. You review when ready.

Total time: 30 minutes of focused work plus review.


Hooks: Event-Driven Automation

Hooks let you trigger actions based on events in your Claude Code session.

Hook Types

Hook Triggers When
PreToolUse Before any tool runs
PostToolUse After any tool completes
Stop When Claude finishes responding
SessionStart When a session begins

Practical Hooks

Auto-Format Hook:

{
  "hooks": {
    "PostToolUse": [
      {
        "tool": "Write",
        "command": "npx prettier --write $FILE"
      }
    ]
  }
}

Every time Claude writes a file, Prettier formats it. Automatically.

Security Check Hook:

{
  "hooks": {
    "PreToolUse": [
      {
        "tool": "Bash",
        "command": "validate-command.sh $COMMAND",
        "blocking": true
      }
    ]
  }
}

Before any bash command runs, your script validates it. Blocks dangerous commands.

Git Commit Hook:

{
  "hooks": {
    "Stop": [
      {
        "condition": "files_modified",
        "command": "git add -p && git commit"
      }
    ]
  }
}

When Claude finishes making changes, prompt for a commit. No forgetting.


MCP: Model Context Protocol

This is the hidden giant.

MCP lets Claude Code talk to external systems. Not through you. Directly.

What MCP Enables

Before MCP:

You: "Check the Jira tickets for bug reports"
Claude: "I can't access Jira. Please paste the tickets."
You: [Goes to Jira, copies, pastes]

With MCP:

You: "Check the Jira tickets for bug reports"
Claude: [Queries Jira directly]
       "Found 3 critical bugs. Here's the analysis..."

Setting Up MCP Servers

In your Claude configuration:

{
  "mcpServers": {
    "jira": {
      "command": "npx",
      "args": ["-y", "jira-mcp-server"],
      "env": {
        "JIRA_URL": "https://yourcompany.atlassian.net",
        "JIRA_TOKEN": "${JIRA_TOKEN}"
      }
    },
    "github": {
      "command": "npx",
      "args": ["-y", "github-mcp-server"],
      "env": {
        "GITHUB_TOKEN": "${GITHUB_TOKEN}"
      }
    }
  }
}

Now Claude Code can:

  • Query Jira tickets
  • Read GitHub PRs and issues
  • Create branches
  • Post comments
  • Close tickets

All within your natural conversation.

The Integration Pattern

Morning Workflow:

You: "What's my day look like?"

Claude: [Queries Jira for assigned tickets]
        [Checks GitHub for PR reviews needed]
        [Reads calendar via MCP]

        "You have 3 tickets assigned, 2 PRs to review,
         and a meeting at 2pm. Here's my suggested
         priority order..."

One question. Full context. No tab switching.


The Jazz Ensemble

Here's where it comes together.

Individual features are instruments. The magic is the composition.

A Real Workflow:

  1. Start remote session - Share with your team
  2. Load project context - CLAUDE.md already configured
  3. Spawn subagents - One explores, one implements, one tests
  4. Hook into tools - Auto-format, auto-commit, security checks
  5. Connect via MCP - Jira, GitHub, Slack all accessible
  6. Background tasks - Tests and scans run continuously

You're not using a coding assistant. You're conducting an orchestra.

Each musician knows their part. You provide the direction. The music emerges.


The Intermediate Practitioner's Checklist

Before moving to Part 3 (the elite techniques), master these:

  • Remote sessions for persistence and collaboration
  • Agent SDK for custom automation
  • Subagents for parallel execution
  • Background tasks for async work
  • Hooks for event-driven automation
  • MCP for external integrations

These aren't advanced features. These are the actual features. Everything in Part 1 was just learning to read music.

Now you can play.


What Comes in Part 3

Part 3 is different. It's not about features. It's about emergence.

What happens when you push Claude Code beyond its documented capabilities?
What patterns have the top 0.1% discovered?
What can you do that Anthropic hasn't officially blessed?

That's next. And it's going to break your mental model one more time.


Part 3: Claude Code Elite—The Techniques Only 0.1% Know → Coming next

Tags:ClaudeClaude CodeAIAgentsSubagentsAnthropic
All Articles
P

Written by

Promptium Team

Expert contributor at WOWHOW. Writing about AI, development, automation, and building products that ship.

Ready to ship faster?

Browse our catalog of 1,800+ premium dev tools, prompt packs, and templates.

Browse ProductsMore Articles

More from AI Tools & Tutorials

Continue reading in this category

AI Tools & Tutorials14 min

7 Prompt Engineering Secrets That 99% of People Don't Know (2026 Edition)

Most people are still writing prompts like it's 2023. These seven advanced techniques — from tree-of-thought reasoning to persona stacking — will transform your AI output from mediocre to exceptional.

prompt-engineeringchain-of-thoughtmeta-prompting
18 Feb 2026Read more
AI Tools & Tutorials14 min

Claude Code: The Complete 2026 Guide for Developers

Claude Code has evolved from a simple CLI tool into a full agentic development platform. This comprehensive guide covers everything from basic setup to advanced features like subagents, worktrees, and custom skills.

claude-codedeveloper-toolsai-coding
20 Feb 2026Read more
AI Tools & Tutorials12 min

How to Use Gemini Canvas to Build Full Apps Without Coding

Google's Gemini Canvas lets anyone build working web applications by describing what they want in plain English. This step-by-step tutorial shows you how to go from idea to working app without writing a single line of code.

gemini-canvasvibe-codingno-code
21 Feb 2026Read more