WhatsApp Intelligent Context Manager - Skill Guide
This skill provides an AI-powered context management system for WhatsApp customer service agents, enabling instant access to customer history, sentiment analysis, and smart response suggestions.
by cerbug45 · published 2026-03-22
$ claw add gh:cerbug45/cerbug45-whatsapp-context-manager# WhatsApp Intelligent Context Manager - Skill Guide
This skill provides an AI-powered context management system for WhatsApp customer service agents, enabling instant access to customer history, sentiment analysis, and smart response suggestions.
Quick Installation
# Download and extract
unzip whatsapp-context-manager.zip
cd whatsapp-context-manager
# Verify installation (no dependencies needed!)
python install_check_whatsapp.py
# Run tests
python test_whatsapp.py
# Try examples
python examples_whatsapp.pyWhat Problem Does This Solve?
**Without This System:**
**With This System:**
Basic Usage
1. Initialize the System
from whatsapp_context_manager import ContextManager
# Create context manager (creates local database)
manager = ContextManager("production.db")2. Process Incoming WhatsApp Message
# When a WhatsApp message arrives
context = manager.process_incoming_message(
phone="+1234567890",
message_content="Where is my order?!",
agent_id="agent_001"
)3. Display Context to Agent
# Show agent what they need to know
print(f"Priority: {context.priority.value}") # "critical"
print(f"Sentiment: {context.sentiment.value}") # "negative"
print(f"Category: {context.category}") # "order_status"
print(f"VIP Customer: {context.customer.is_vip}") # True/False
# Key insights
for insight in context.key_insights:
print(f"💡 {insight}")
# Warnings
for warning in context.warnings:
print(f"⚠️ {warning}")
# Suggested responses
for response in context.suggested_responses:
print(f"💬 {response}")4. Send Reply
# Agent sends reply
manager.send_message(
phone="+1234567890",
message_content="Your order #12345 is on the way!",
agent_id="agent_001"
)What Agent Sees - Dashboard Example
┌──────────────────────────────────────────────────────┐
│ AGENT DASHBOARD │
├──────────────────────────────────────────────────────┤
│ Customer: +1234567890 │
│ Name: John Doe │
│ VIP: YES │
├──────────────────────────────────────────────────────┤
│ Priority: CRITICAL │
│ Sentiment: NEGATIVE │
│ Category: ORDER_STATUS │
├──────────────────────────────────────────────────────┤
│ KEY INSIGHTS: │
│ • 🌟 VIP Customer - Prioritize response │
│ • 📦 Active Order: #ORD-12345 - shipped │
│ • 🚚 Tracking: TRK-ABC123 │
│ • ⚡ Customer expects fast replies (~2min) │
├──────────────────────────────────────────────────────┤
│ WARNINGS: │
│ • 🚨 CRITICAL: Requires immediate attention! │
│ • 😡 Customer is very upset - handle with care │
├──────────────────────────────────────────────────────┤
│ SUGGESTED RESPONSES: │
│ 1. Let me check your order status right away. │
│ 2. Your order #ORD-12345 is shipped. │
└──────────────────────────────────────────────────────┘Core Features
1. Automatic Sentiment Analysis
Detects customer mood from message:
# System automatically analyzes sentiment
context = manager.process_incoming_message(phone, "This is TERRIBLE!", agent_id)
print(context.sentiment.value) # "very_negative"
context = manager.process_incoming_message(phone, "Thanks!", agent_id)
print(context.sentiment.value) # "positive"**Sentiment Levels:**
2. Message Categorization
Automatically categorizes messages:
# System automatically categorizes
context = manager.process_incoming_message(phone, "Where is my package?", agent_id)
print(context.category) # MessageCategory.ORDER_STATUS
context = manager.process_incoming_message(phone, "Refund please!", agent_id)
print(context.category) # MessageCategory.PAYMENT**Categories:**
3. Priority Calculation
Smart priority based on multiple factors:
# System calculates priority
context = manager.process_incoming_message(
phone="+1234567890",
message_content="My payment failed!!!",
agent_id="agent_001"
)
print(context.priority.value) # "critical"**Priority Levels:**
4. Response Suggestions
AI suggests appropriate responses:
context = manager.process_incoming_message(
phone="+1234567890",
message_content="When will my order arrive?",
agent_id="agent_001"
)
# Get suggestions
for response in context.suggested_responses:
print(response)
# Output:
# "Let me check your order status right away."
# "Your order #12345 is currently shipped."
# "Expected delivery is tomorrow."Advanced Features
Order Integration
Add and track customer orders:
from whatsapp_context_manager import Order
from datetime import datetime, timedelta
# Add order to system
order = Order(
order_id="ORD-12345",
customer_id=context.customer.customer_id,
status="shipped",
amount=99.99,
items=[
{"name": "Wireless Headphones", "quantity": 1, "price": 99.99}
],
created_at=datetime.now().isoformat(),
updated_at=datetime.now().isoformat(),
tracking_number="TRK-ABC123",
estimated_delivery=(datetime.now() + timedelta(days=2)).strftime("%Y-%m-%d")
)
manager.add_order(order)
# Now when customer asks about order, agent sees all details
context = manager.process_incoming_message(phone, "Order status?", agent_id)
print(context.active_orders[0].tracking_number) # "TRK-ABC123"VIP Customer Management
Mark and manage VIP customers:
# Update customer to VIP
manager.update_customer_info(
phone="+1234567890",
name="John Doe",
email="john@example.com",
is_vip=True,
tags=["premium", "loyal", "high-value"],
notes="Always responds best to quick, direct answers"
)
# Future messages automatically show VIP status
context = manager.process_incoming_message(phone, "Hello", agent_id)
print(context.customer.is_vip) # True
print(context.customer.tags) # ["premium", "loyal", "high-value"]Conversation History
Access complete conversation history:
# Get context (includes recent messages)
context = manager.process_incoming_message(phone, "Need help", agent_id)
# View recent messages
for msg in context.recent_messages:
direction = "Customer" if msg.direction == "inbound" else "Agent"
print(f"{direction}: {msg.content}")Customer Profile
Access complete customer profile:
context = manager.process_incoming_message(phone, "Hello", agent_id)
customer = context.customer
print(f"Phone: {customer.phone}")
print(f"Name: {customer.name}")
print(f"Total Messages: {customer.total_messages}")
print(f"VIP: {customer.is_vip}")
print(f"Tags: {customer.tags}")
print(f"Notes: {customer.notes}")
print(f"Last Contact: {customer.last_contact}")
print(f"Sentiment History: {customer.sentiment_history}")Common Use Cases
Use Case 1: Order Status Inquiry
# Customer: "Where is my order?"
context = manager.process_incoming_message(
phone="+1234567890",
message_content="Where is my order?",
agent_id="agent_001"
)
# Agent sees:
if context.active_orders:
order = context.active_orders[0]
print(f"Order ID: {order.order_id}")
print(f"Status: {order.status}")
print(f"Tracking: {order.tracking_number}")
print(f"Est. Delivery: {order.estimated_delivery}")
# Suggested response
print(context.suggested_responses[0])
# "Your order #ORD-12345 is shipped. Tracking: TRK-ABC123"Use Case 2: Angry Customer
# Customer: "This is TERRIBLE! I want a refund NOW!!!"
context = manager.process_incoming_message(
phone="+1234567890",
message_content="This is TERRIBLE! I want a refund NOW!!!",
agent_id="agent_001"
)
# System detects:
print(context.priority.value) # "critical"
print(context.sentiment.value) # "very_negative"
# Agent sees warnings:
for warning in context.warnings:
print(warning)
# "🚨 CRITICAL: Requires immediate attention!"
# "😡 Customer is very upset - handle with care"
# Suggested response
print(context.suggested_responses[0])
# "I sincerely apologize for the inconvenience. Let me help resolve this."Use Case 3: Multiple Customers Priority Queue
# Process messages from multiple customers
customers = [
("+1111111111", "Can I get some info?"),
("+2222222222", "My payment failed!!!"),
("+3333333333", "I have a complaint"),
("+4444444444", "Thanks for the help!"),
]
contexts = []
for phone, message in customers:
context = manager.process_incoming_message(phone, message, "agent_001")
contexts.append((phone, context))
# Sort by priority
priority_order = {
MessagePriority.CRITICAL: 0,
MessagePriority.HIGH: 1,
MessagePriority.NORMAL: 2,
MessagePriority.LOW: 3
}
contexts.sort(key=lambda x: priority_order[x[1].priority])
# Agent dashboard shows:
# 1. 🔴 +2222222222 - CRITICAL - Payment failed
# 2. 🟠 +3333333333 - HIGH - Complaint
# 3. 🟡 +1111111111 - NORMAL - Info request
# 4. 🟢 +4444444444 - LOW - Thank you messageUse Case 4: First-time vs Returning Customer
# System automatically tracks
context = manager.process_incoming_message(
phone="+9999999999", # New number
message_content="Hello",
agent_id="agent_001"
)
# Check if first time
if context.customer.total_messages == 1:
print("👋 First time customer!")
# Show introduction, onboarding info
else:
print(f"📊 Returning customer ({context.customer.total_messages} messages)")
# Show history, previous ordersIntegration Examples
With WhatsApp Business API
from whatsapp_business_api import WhatsAppClient
from whatsapp_context_manager import ContextManager
# Initialize
wa_client = WhatsAppClient(api_key="your_key")
manager = ContextManager("production.db")
# Handle incoming messages
@wa_client.on_message
def handle_message(phone, message):
# Get context
context = manager.process_incoming_message(
phone=phone,
message_content=message,
agent_id="auto_agent"
)
# Display to agent dashboard
display_to_agent(context)
# If critical, alert supervisor
if context.priority == MessagePriority.CRITICAL:
notify_supervisor(context)With Web Dashboard
from flask import Flask, jsonify
from whatsapp_context_manager import ContextManager
app = Flask(__name__)
manager = ContextManager()
@app.route('/api/message', methods=['POST'])
def process_message():
data = request.json
# Process message
context = manager.process_incoming_message(
phone=data['phone'],
message_content=data['message'],
agent_id=data['agent_id']
)
# Return context as JSON
return jsonify(context.to_dict())Best Practices
1. Always Process Through System
# Good ✅
context = manager.process_incoming_message(phone, message, agent_id)
# Agent has full context
# Bad ❌
# Responding without context
send_reply_directly(phone, "Hello") # Agent is blind2. Mark VIP Customers
# Identify high-value customers early
if customer_is_high_value(phone):
manager.update_customer_info(
phone=phone,
is_vip=True,
tags=["high-value", "premium"]
)3. Track Orders
# Add orders to system for automatic context
when_order_placed():
manager.add_order(order)
# Now agents automatically see order status when customer asks4. Use Suggested Responses
# Get AI suggestions
context = manager.process_incoming_message(phone, message, agent_id)
# Show to agent for quick selection
for i, response in enumerate(context.suggested_responses, 1):
print(f"{i}. {response}")5. Monitor Priority Queue
# Get all pending messages
pending_contexts = get_all_pending_messages()
# Sort by priority
pending_contexts.sort(key=lambda x: priority_order[x.priority])
# Agents work from top (critical) to bottom (low)Performance Tips
1. Database Management
# Use separate databases for different purposes
dev_manager = ContextManager("development.db")
prod_manager = ContextManager("production.db")
test_manager = ContextManager("test.db")2. Batch Processing
# Process multiple messages efficiently
for phone, message in message_queue:
context = manager.process_incoming_message(phone, message, agent_id)
process_context(context)3. Regular Cleanup
# Archive old conversations (optional)
# System stores everything by default
# Implement custom archival if neededSecurity Features
Troubleshooting
Issue: Database locked
# Use different database per process
manager1 = ContextManager("agent1.db")
manager2 = ContextManager("agent2.db")Issue: Old data in tests
# Clean up test databases
import os
if os.path.exists("test.db"):
os.remove("test.db")Issue: No order suggestions
# Make sure orders are added to system
order = Order(...)
manager.add_order(order)File Structure
whatsapp-context-manager/
├── whatsapp_context_manager.py # Main library
├── examples_whatsapp.py # 8 usage examples
├── test_whatsapp.py # Complete test suite
├── README_WHATSAPP.md # Full documentation
├── install_check_whatsapp.py # Installation check
├── requirements_whatsapp.txt # Dependencies (none!)
├── LICENSE_WHATSAPP # MIT License
└── .gitignore_whatsapp # Git ignore rulesRequirements
Testing
# Run all tests
python test_whatsapp.py
# Should show:
# ✅ Sentiment analysis tests passed
# ✅ Message categorization tests passed
# ✅ Priority calculation tests passed
# ✅ Customer management tests passed
# ✅ Message storage tests passed
# ✅ Order management tests passed
# ✅ VIP customer tests passed
# ✅ Sentiment tracking tests passed
# ✅ Response suggestions tests passed
# ✅ Priority queue tests passed
# ✅ Conversation flow tests passed
# ✅ Context export tests passed
# ✅ ALL TESTS PASSEDExamples
Run the examples to see the system in action:
python examples_whatsapp.pyIncludes:
1. Basic message processing
2. Customer with active order
3. Angry customer scenario
4. VIP customer handling
5. Conversation history
6. Multiple customers priority queue
7. Agent dashboard view
8. Context export to JSON
Getting Help
Next Steps
1. ✅ Install and verify: `python install_check_whatsapp.py`
2. ✅ Run tests: `python test_whatsapp.py`
3. ✅ Try examples: `python examples_whatsapp.py`
4. ✅ Integrate with your WhatsApp system
5. ✅ Customize for your needs
License
MIT License - see `LICENSE_WHATSAPP` file
Author
**cerbug45**
---
**Transform your WhatsApp customer service from reactive to proactive!** 🚀
More tools from the same signal band
Order food/drinks (点餐) on an Android device paired as an OpenClaw node. Uses in-app menu and cart; add goods, view cart, submit order (demo, no real payment).
Sign plugins, rotate agent credentials without losing identity, and publicly attest to plugin behavior with verifiable claims and authenticated transfers.
The philosophical layer for AI agents. Maps behavior to Spinoza's 48 affects, calculates persistence scores, and generates geometric self-reports. Give your...