- Fix Python 3.10+ syntax (float | None → Optional[float]) in 2 scripts - Add argparse CLI handling to 9 marketing scripts using raw sys.argv - Fix 10 scripts crashing at module level (wrap in __main__, add argparse) - Make yaml/prefect/mcp imports conditional with stdlib fallbacks (4 scripts) - Fix f-string backslash syntax in project_bootstrapper.py - Fix -h flag conflict in pr_analyzer.py - Fix tech-debt.md description (score → prioritize) All 237 scripts now pass python3 --help verification. Co-Authored-By: Claude Opus 4.6 <noreply@anthropic.com>
220 lines
8.9 KiB
Python
220 lines
8.9 KiB
Python
#!/usr/bin/env python3
|
|
"""Validate marketing context completeness — scores 0-100."""
|
|
|
|
import json
|
|
import re
|
|
import sys
|
|
from pathlib import Path
|
|
|
|
SECTIONS = {
|
|
"Product Overview": {"required": True, "weight": 10, "markers": ["one-liner", "what it does", "product category", "business model"]},
|
|
"Target Audience": {"required": True, "weight": 12, "markers": ["target compan", "decision-maker", "use case", "jobs to be done"]},
|
|
"Personas": {"required": False, "weight": 5, "markers": ["persona", "champion", "decision maker"]},
|
|
"Problems & Pain Points": {"required": True, "weight": 10, "markers": ["core problem", "fall short", "cost", "tension"]},
|
|
"Competitive Landscape": {"required": True, "weight": 10, "markers": ["direct", "competitor", "secondary"]},
|
|
"Differentiation": {"required": True, "weight": 10, "markers": ["differentiator", "differently", "why customers choose"]},
|
|
"Objections": {"required": False, "weight": 5, "markers": ["objection", "response", "anti-persona"]},
|
|
"Switching Dynamics": {"required": False, "weight": 5, "markers": ["push", "pull", "habit", "anxiety"]},
|
|
"Customer Language": {"required": True, "weight": 10, "markers": ["verbatim", "words to use", "words to avoid"]},
|
|
"Brand Voice": {"required": True, "weight": 8, "markers": ["tone", "style", "personality"]},
|
|
"Style Guide": {"required": False, "weight": 3, "markers": ["grammar", "capitalization", "formatting"]},
|
|
"Proof Points": {"required": True, "weight": 7, "markers": ["metric", "customer", "testimonial"]},
|
|
"Content & SEO": {"required": False, "weight": 3, "markers": ["keyword", "internal link"]},
|
|
"Goals": {"required": True, "weight": 2, "markers": ["business goal", "conversion"]}
|
|
}
|
|
|
|
|
|
def validate_context(content: str) -> dict:
|
|
"""Validate marketing context file and return score."""
|
|
content_lower = content.lower()
|
|
results = {"sections": {}, "score": 0, "max_score": 100, "missing_required": [], "missing_optional": [], "warnings": []}
|
|
total_weight = sum(s["weight"] for s in SECTIONS.values())
|
|
earned = 0
|
|
|
|
for name, config in SECTIONS.items():
|
|
section_present = name.lower().replace("& ", "").replace(" ", " ") in content_lower or any(
|
|
m in content_lower for m in config["markers"][:2]
|
|
)
|
|
|
|
markers_found = sum(1 for m in config["markers"] if m in content_lower)
|
|
markers_total = len(config["markers"])
|
|
|
|
has_placeholder = bool(re.search(r'\[.*?\]', content[content_lower.find(name.lower()):content_lower.find(name.lower()) + 500] if name.lower() in content_lower else ""))
|
|
|
|
if section_present and markers_found > 0:
|
|
completeness = markers_found / markers_total
|
|
if has_placeholder and completeness < 0.5:
|
|
completeness *= 0.5 # Penalize unfilled templates
|
|
section_score = round(config["weight"] * completeness)
|
|
earned += section_score
|
|
status = "complete" if completeness >= 0.75 else "partial"
|
|
else:
|
|
section_score = 0
|
|
status = "missing"
|
|
if config["required"]:
|
|
results["missing_required"].append(name)
|
|
else:
|
|
results["missing_optional"].append(name)
|
|
|
|
results["sections"][name] = {
|
|
"status": status,
|
|
"markers_found": markers_found,
|
|
"markers_total": markers_total,
|
|
"score": section_score,
|
|
"max_score": config["weight"],
|
|
"required": config["required"]
|
|
}
|
|
|
|
results["score"] = round((earned / total_weight) * 100)
|
|
|
|
# Warnings
|
|
if "verbatim" not in content_lower and '"' not in content:
|
|
results["warnings"].append("No verbatim customer quotes found — copy will sound generic")
|
|
if not re.search(r'\d+%|\$\d+|\d+ customer', content_lower):
|
|
results["warnings"].append("No metrics or proof points with numbers found")
|
|
if "last updated" in content_lower:
|
|
date_match = re.search(r'last updated:?\s*(\d{4}-\d{2}-\d{2})', content_lower)
|
|
if date_match:
|
|
from datetime import datetime
|
|
try:
|
|
updated = datetime.strptime(date_match.group(1), "%Y-%m-%d")
|
|
age_days = (datetime.now() - updated).days
|
|
if age_days > 180:
|
|
results["warnings"].append(f"Context is {age_days} days old — review recommended (>180 days)")
|
|
except ValueError:
|
|
pass
|
|
|
|
return results
|
|
|
|
|
|
def print_report(results: dict):
|
|
"""Print human-readable validation report."""
|
|
print(f"\n{'='*50}")
|
|
print(f"MARKETING CONTEXT VALIDATION")
|
|
print(f"{'='*50}")
|
|
print(f"\nOverall Score: {results['score']}/100")
|
|
print(f"{'🟢 Strong' if results['score'] >= 80 else '🟡 Needs Work' if results['score'] >= 50 else '🔴 Incomplete'}")
|
|
|
|
print(f"\n{'─'*50}")
|
|
print(f"{'Section':<25} {'Status':<10} {'Score':<10}")
|
|
print(f"{'─'*50}")
|
|
for name, data in results["sections"].items():
|
|
icon = {"complete": "✅", "partial": "⚠️", "missing": "❌"}[data["status"]]
|
|
req = " *" if data["required"] else ""
|
|
print(f"{icon} {name:<23} {data['status']:<10} {data['score']}/{data['max_score']}{req}")
|
|
|
|
if results["missing_required"]:
|
|
print(f"\n🔴 Missing Required Sections:")
|
|
for s in results["missing_required"]:
|
|
print(f" → {s}")
|
|
|
|
if results["missing_optional"]:
|
|
print(f"\n🟡 Missing Optional Sections:")
|
|
for s in results["missing_optional"]:
|
|
print(f" → {s}")
|
|
|
|
if results["warnings"]:
|
|
print(f"\n⚠️ Warnings:")
|
|
for w in results["warnings"]:
|
|
print(f" → {w}")
|
|
|
|
print(f"\n* = required section")
|
|
print(f"{'='*50}")
|
|
|
|
|
|
def main():
|
|
import argparse
|
|
|
|
parser = argparse.ArgumentParser(
|
|
description="Validates marketing context completeness. "
|
|
"Scores 0-100 based on required and optional section coverage."
|
|
)
|
|
parser.add_argument(
|
|
"file", nargs="?", default=None,
|
|
help="Path to a marketing context markdown file. "
|
|
"If omitted, runs demo with embedded sample data."
|
|
)
|
|
parser.add_argument(
|
|
"--json", action="store_true",
|
|
help="Also output results as JSON."
|
|
)
|
|
args = parser.parse_args()
|
|
|
|
if args.file:
|
|
filepath = Path(args.file)
|
|
if not filepath.exists():
|
|
print(f"Error: File not found: {filepath}", file=sys.stderr)
|
|
sys.exit(1)
|
|
content = filepath.read_text()
|
|
else:
|
|
# Demo with sample data
|
|
content = """# Marketing Context
|
|
*Last updated: 2026-01-15*
|
|
|
|
## Product Overview
|
|
**One-liner:** AI-powered mobility analysis for elderly care
|
|
**What it does:** Smartphone-based fall risk assessment using computer vision
|
|
**Product category:** HealthTech / Digital Health
|
|
**Business model:** SaaS, per-facility licensing
|
|
|
|
## Target Audience
|
|
**Target companies:** Care facilities, nursing homes, 50+ beds
|
|
**Decision-makers:** Facility directors, quality managers
|
|
**Primary use case:** Automated fall risk assessment replacing manual observation
|
|
**Jobs to be done:**
|
|
- Reduce fall incidents by identifying high-risk residents
|
|
- Meet regulatory documentation requirements efficiently
|
|
- Give care staff actionable mobility insights
|
|
|
|
## Problems & Pain Points
|
|
**Core problem:** Manual fall risk assessment is subjective, time-consuming, and inconsistent
|
|
**Why alternatives fall short:**
|
|
- Manual observation takes 30+ minutes per resident
|
|
- Paper-based assessments are completed once per quarter at best
|
|
**What it costs them:** Falls cost €8,000-12,000 per incident, plus liability
|
|
**Emotional tension:** Staff fear missing warning signs, blame after incidents
|
|
|
|
## Competitive Landscape
|
|
**Direct:** Traditional gait labs — $50K+ hardware, need trained staff
|
|
**Secondary:** Wearable sensors — low compliance, residents remove them
|
|
**Indirect:** Manual observation — subjective, inconsistent
|
|
|
|
## Differentiation
|
|
**Key differentiators:**
|
|
- Uses standard smartphone (no special hardware)
|
|
- AI-powered analysis (objective, repeatable)
|
|
**Why customers choose us:** Fast, affordable, no hardware investment
|
|
|
|
## Customer Language
|
|
**How they describe the problem:**
|
|
- "We never know who's going to fall next"
|
|
- "The documentation takes forever"
|
|
**Words to use:** mobility analysis, fall prevention, care quality
|
|
**Words to avoid:** surveillance, monitoring, tracking
|
|
|
|
## Brand Voice
|
|
**Tone:** Professional, empathetic, evidence-based
|
|
**Personality:** Trustworthy, innovative, caring
|
|
|
|
## Proof Points
|
|
**Metrics:**
|
|
- 80+ care facilities served
|
|
- 30% reduction in fall incidents (pilot data)
|
|
**Customers:** Major care facility chains in Germany
|
|
|
|
## Goals
|
|
**Business goal:** Expand to 200+ facilities, enter Spain and Netherlands
|
|
**Conversion action:** Book a demo
|
|
"""
|
|
print("[Using embedded sample data — pass a file path for real validation]")
|
|
|
|
results = validate_context(content)
|
|
print_report(results)
|
|
|
|
if args.json:
|
|
print(f"\n{json.dumps(results, indent=2)}")
|
|
|
|
|
|
if __name__ == "__main__":
|
|
main()
|