tavant-docs-mcp 1.0.0

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
Files changed (43) hide show
  1. package/LICENSE +21 -0
  2. package/assets/bg-agenda-data.jpeg +0 -0
  3. package/assets/bg-breaker-brain.jpeg +0 -0
  4. package/assets/bg-breaker-cloud.jpeg +0 -0
  5. package/assets/bg-breaker-lines.jpeg +0 -0
  6. package/assets/bg-thankyou.jpeg +0 -0
  7. package/assets/bg-title-tech.jpeg +0 -0
  8. package/assets/cr-image1.png +0 -0
  9. package/assets/decor-cubes.png +0 -0
  10. package/assets/footer-bar.png +0 -0
  11. package/assets/tavant-logo-orange.png +0 -0
  12. package/assets/tavant-logo-small.png +0 -0
  13. package/assets/tavant-logo-white-sm.png +0 -0
  14. package/assets/tavant-logo-white.png +0 -0
  15. package/assets/tavant-template.potx +0 -0
  16. package/brand.js +21 -0
  17. package/index.js +172 -0
  18. package/knowledge/tavant-company.md +181 -0
  19. package/knowledge/tavant-template.md +61 -0
  20. package/package.json +32 -0
  21. package/templates/contract/builders.js +317 -0
  22. package/templates/contract/register.js +213 -0
  23. package/templates/contract/sections.js +73 -0
  24. package/templates/cr/builders.js +286 -0
  25. package/templates/cr/register.js +189 -0
  26. package/templates/cr/sections.js +55 -0
  27. package/templates/msa/builders.js +480 -0
  28. package/templates/msa/register.js +185 -0
  29. package/templates/msa/sections.js +86 -0
  30. package/templates/nda/builders.js +277 -0
  31. package/templates/nda/register.js +185 -0
  32. package/templates/nda/sections.js +73 -0
  33. package/templates/pptx/builders.js +712 -0
  34. package/templates/pptx/layouts.js +168 -0
  35. package/templates/pptx/register.js +363 -0
  36. package/templates/sow/builders.js +294 -0
  37. package/templates/sow/register.js +183 -0
  38. package/templates/sow/sections.js +76 -0
  39. package/test-custom-slide.js +79 -0
  40. package/test-e2e.js +190 -0
  41. package/test-msa.js +48 -0
  42. package/test-nda-cr.js +88 -0
  43. package/test-pptx.js +93 -0
package/LICENSE ADDED
@@ -0,0 +1,21 @@
1
+ MIT License
2
+
3
+ Copyright (c) 2026 crow2678
4
+
5
+ Permission is hereby granted, free of charge, to any person obtaining a copy
6
+ of this software and associated documentation files (the "Software"), to deal
7
+ in the Software without restriction, including without limitation the rights
8
+ to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
9
+ copies of the Software, and to permit persons to whom the Software is
10
+ furnished to do so, subject to the following conditions:
11
+
12
+ The above copyright notice and this permission notice shall be included in all
13
+ copies or substantial portions of the Software.
14
+
15
+ THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
16
+ IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
17
+ FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
18
+ AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
19
+ LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
20
+ OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
21
+ SOFTWARE.
Binary file
Binary file
Binary file
Binary file
Binary file
Binary file
Binary file
Binary file
Binary file
Binary file
Binary file
Binary file
Binary file
Binary file
package/brand.js ADDED
@@ -0,0 +1,21 @@
1
+ const path = require("path");
2
+
3
+ const BRAND = {
4
+ colors: {
5
+ orange: "F36E26",
6
+ black: "000000",
7
+ white: "FFFFFF",
8
+ darkBg: "1A1A1A",
9
+ lightGray: "F5F5F5",
10
+ mediumGray: "666666",
11
+ darkGray: "333333",
12
+ },
13
+ font: "Aptos",
14
+ company: "Tavant",
15
+ footer: "Tavant & Customer Confidential",
16
+ logo: {
17
+ path: path.join(__dirname, "assets", "tavant-logo.png"),
18
+ },
19
+ };
20
+
21
+ module.exports = BRAND;
package/index.js ADDED
@@ -0,0 +1,172 @@
1
+ #!/usr/bin/env node
2
+
3
+ const { McpServer } = require("@modelcontextprotocol/sdk/server/mcp.js");
4
+ const { StdioServerTransport } = require("@modelcontextprotocol/sdk/server/stdio.js");
5
+ const { z } = require("zod");
6
+ const fs = require("fs");
7
+ const path = require("path");
8
+ const BRAND = require("./brand");
9
+
10
+ // ─── Template modules ──────────────────────────────────────────────────
11
+ const pptx = require("./templates/pptx/register");
12
+ const contract = require("./templates/contract/register");
13
+ const sow = require("./templates/sow/register");
14
+ const nda = require("./templates/nda/register");
15
+ const cr = require("./templates/cr/register");
16
+ const msa = require("./templates/msa/register");
17
+
18
+ // ─── Knowledge base ────────────────────────────────────────────────────
19
+ const KNOWLEDGE_DIR = path.join(__dirname, "knowledge");
20
+
21
+ function loadKnowledge() {
22
+ const files = fs.readdirSync(KNOWLEDGE_DIR).filter(f => f.endsWith(".md"));
23
+ const knowledge = {};
24
+ for (const file of files) {
25
+ const name = file.replace(".md", "");
26
+ knowledge[name] = fs.readFileSync(path.join(KNOWLEDGE_DIR, file), "utf-8");
27
+ }
28
+ return knowledge;
29
+ }
30
+
31
+ // ─── MCP Server ────────────────────────────────────────────────────────
32
+ const server = new McpServer({
33
+ name: "tavant-docs",
34
+ version: "1.0.0",
35
+ });
36
+
37
+ // Global tool: brand guidelines
38
+ server.tool(
39
+ "get_brand_guidelines",
40
+ "Get Tavant brand guidelines (colors, fonts, layout rules) and list all available document types",
41
+ {},
42
+ async () => ({
43
+ content: [{
44
+ type: "text",
45
+ text: JSON.stringify({
46
+ brand: "Tavant",
47
+ primary_color: `#${BRAND.colors.orange} (Orange)`,
48
+ backgrounds: { dark: `#${BRAND.colors.darkBg}`, white: `#${BRAND.colors.white}` },
49
+ font: BRAND.font,
50
+ footer: BRAND.footer,
51
+ document_types: {
52
+ pptx: "PowerPoint presentations — use pptx_* tools",
53
+ contract: "Contract agreements (Word .docx) — use contract_* tools",
54
+ sow: "Statements of Work (Word .docx) — use sow_* tools",
55
+ nda: "Mutual Non-Disclosure Agreements (Word .docx) — use nda_* tools",
56
+ cr: "Change Requests (Word .docx) — use cr_* tools",
57
+ msa: "Master Services Agreement / Professional Services Agreement (Word .docx) — use msa_* tools",
58
+ },
59
+ guidelines: [
60
+ "Every document uses Tavant branding: orange #F36E26, Aptos font",
61
+ "Presentations: start with title_cover, end with thank_you",
62
+ "Contracts: include at minimum parties, scope_of_work, commercial_terms, signatures",
63
+ "SOWs: include at minimum cover_page, overview, scope, deliverables, pricing, signatures",
64
+ ],
65
+ }, null, 2),
66
+ }],
67
+ })
68
+ );
69
+
70
+ // Knowledge resource: Tavant company context
71
+ server.resource(
72
+ "tavant-company-knowledge",
73
+ "knowledge://tavant-company",
74
+ "Tavant company knowledge base — services, practices, capabilities, case studies, technology stack. Use this to get context when creating presentations, contracts, or SOWs about Tavant.",
75
+ async (uri) => {
76
+ const knowledge = loadKnowledge();
77
+ const allContent = Object.values(knowledge).join("\n\n---\n\n");
78
+ return {
79
+ contents: [{
80
+ uri: uri.href,
81
+ mimeType: "text/markdown",
82
+ text: allContent,
83
+ }],
84
+ };
85
+ }
86
+ );
87
+
88
+ // Tool: get Tavant company context
89
+ server.tool(
90
+ "get_tavant_context",
91
+ "Get Tavant company knowledge — services, AI practice, data practice, AIOps, automation capabilities, analytics framework, technology stack, and client case studies. ALWAYS call this before creating presentations about Tavant to get accurate content.",
92
+ {
93
+ topic: z.string().optional().describe(
94
+ "Optional: filter by topic — 'services', 'ai_practice', 'automation', 'data', 'aiops', 'analytics', 'technology', or leave empty for all"
95
+ ),
96
+ },
97
+ async ({ topic }) => {
98
+ const knowledge = loadKnowledge();
99
+ const fullText = knowledge["tavant-company"] || "";
100
+
101
+ if (!topic) {
102
+ return { content: [{ type: "text", text: fullText }] };
103
+ }
104
+
105
+ // Topic-based filtering by section headers
106
+ const topicMap = {
107
+ services: "Service Portfolio",
108
+ ai_practice: "AI & Agentic AI Practice",
109
+ automation: "AI & Automation",
110
+ data: "Data Transformation Practice",
111
+ aiops: "AIOps for Data Platforms",
112
+ analytics: "Analytics Framework",
113
+ technology: "Technology Stack",
114
+ };
115
+
116
+ const sectionHeader = topicMap[topic.toLowerCase()];
117
+ if (!sectionHeader) {
118
+ return { content: [{ type: "text", text: fullText }] };
119
+ }
120
+
121
+ // Extract the relevant section
122
+ const lines = fullText.split("\n");
123
+ let capturing = false;
124
+ let result = [];
125
+ let headerLevel = 0;
126
+
127
+ for (const line of lines) {
128
+ if (line.startsWith("## ") && line.includes(sectionHeader)) {
129
+ capturing = true;
130
+ headerLevel = 2;
131
+ result.push(line);
132
+ continue;
133
+ }
134
+ if (capturing) {
135
+ if (line.startsWith("## ") && !line.includes(sectionHeader) && line !== "---") {
136
+ break; // Next top-level section
137
+ }
138
+ if (line === "---") {
139
+ break;
140
+ }
141
+ result.push(line);
142
+ }
143
+ }
144
+
145
+ return {
146
+ content: [{
147
+ type: "text",
148
+ text: result.length > 0 ? result.join("\n") : fullText,
149
+ }],
150
+ };
151
+ }
152
+ );
153
+
154
+ // Register all template tools
155
+ pptx.register(server);
156
+ contract.register(server);
157
+ sow.register(server);
158
+ nda.register(server);
159
+ cr.register(server);
160
+ msa.register(server);
161
+
162
+ // ─── Start ─────────────────────────────────────────────────────────────
163
+ async function main() {
164
+ const transport = new StdioServerTransport();
165
+ await server.connect(transport);
166
+ console.error("Tavant Docs MCP server running (pptx + contract + sow + nda + cr + msa)");
167
+ }
168
+
169
+ main().catch((err) => {
170
+ console.error("Fatal error:", err);
171
+ process.exit(1);
172
+ });
@@ -0,0 +1,181 @@
1
+ # Tavant — Company Knowledge Base
2
+
3
+ ## Company Overview
4
+ Tavant is a technology company delivering end-to-end Digital, AI, Data & Platform capabilities across industries. Domain focus areas: **Financial Services, Media & Digital Consumer, Manufacturing & Agriculture**.
5
+
6
+ ## Service Portfolio
7
+
8
+ ### 1. DIGITAL — GenAI-Accelerated SW Development & Digital Engineering
9
+ Step-function improvement in efficiency and speed in SW development, maintenance and app modernization.
10
+ - Custom Application Development
11
+ - Legacy App Modernization
12
+ - Strategic IT Outsourcing
13
+ - Enterprise Platforms (Salesforce, ServiceNow)
14
+
15
+ ### 2. AI — Enterprise Transformation through Agentic AI
16
+ Next-gen enterprise efficiency and platform transformation powered by orchestrated Agents.
17
+ - AI Agents: Customer Service, Personal Advisors, Assistants, Enterprise Agents
18
+ - Agentic AI Architecture & Platforms
19
+
20
+ ### 3. DATA SCIENCE — Data Science-powered Revenue & Productivity Growth
21
+ AI-powered custom solutions for business top-line growth, efficiency and productivity.
22
+ - AI/ML Models, Search & Intelligent Apps
23
+ - Customer NBO, Cognitive Solutions, Predictive Decisions
24
+ - Global Data Science Factory
25
+ - AI/ML Ops
26
+
27
+ ### 4. DATA — Data & Cloud Modernization & Compliance
28
+ Data platform modernization and operations for rapid, reliable access to trusted data.
29
+ - Data Architecture & Cloud (Azure, AWS, Databricks, Snowflake)
30
+ - Data Quality, Privacy, Governance & Compliance
31
+ - Data Ops
32
+
33
+ ### 5. AI PLATFORM — Industry-Specific AI Transformation Platforms
34
+ Accelerators for rapid AI transformation of high-ROI business problems.
35
+ - TOUCHLESS: AI Transformation Platform for Lending
36
+ - AI Platform for Service Lifecycle Management & Aftermarket
37
+ - Tavant AIgnite™: AI Accelerator & Enterprise AI Transformation Platform
38
+
39
+ ---
40
+
41
+ ## AI & Agentic AI Practice
42
+
43
+ **75+ data scientists** with depth in critical technology areas, cross-industry & domain-specific use cases.
44
+
45
+ ### AI/ML Services
46
+ - AI/ML Model Development
47
+ - Cognitive Solutions (NLP, Image, Vision)
48
+ - Customer Analytics
49
+ - AI/ML Ops
50
+
51
+ ### Agent Services
52
+ - Enterprise Agents (Search, Finance, HR, ...)
53
+ - Workflow / Orchestration Agents
54
+ - Customer Service Agents
55
+ - Field Service Support Agents
56
+
57
+ ### AIgnite™ AI Platform
58
+ **AIgnite™ AI — Search:**
59
+ - Pre-built GenAI agents for rapid conversational deployments
60
+ - Multi-LLM & advanced retrieval ensuring accurate responses
61
+ - Enterprise-grade security, governance & compliance
62
+ - Dynamic orchestration supporting complex workflows
63
+
64
+ **AIgnite™ AI — Models:**
65
+ - Structured methodology accelerating AI development
66
+ - Built-in governance ensuring compliance & quality
67
+ - Pre-built accelerators for faster time-to-market
68
+
69
+ ### Technology Partners & Frameworks
70
+ TensorFlow, Python, Azure AI Studio, Microsoft Copilot Studio, Amazon SageMaker, Agentforce, Amazon Bedrock, Vertex AI, AutoGen, CrewAI, LangGraph, LangChain, Atomic Agents
71
+
72
+ ---
73
+
74
+ ## AI & Automation — Agentic AI in Action
75
+
76
+ Deployment of AI Agents across verticals — proven delivery of agentic solutions at enterprise scale.
77
+
78
+ ### Customer Service Agents
79
+ - Player & game provider CS automation for leading global gaming company
80
+ - Customer servicing agent for a leading US mortgage company
81
+ - Finance mailbox processing automation for major US farming cooperative
82
+
83
+ ### Supply Chain Agents
84
+ - Workforce orchestration & yield forecasting for world's largest palm oil producer
85
+ - Invoice processing automation for major US farming cooperative
86
+ - After-market service agents for global agriculture equipment manufacturer
87
+
88
+ ### Productivity Assistants
89
+ - Ad sales assistant with end-to-end campaign optimization for leading media conglomerate
90
+ - Loan Officer assistant for a major US mortgage company
91
+ - Field Service assistant for issue triaging at global heavy equipment manufacturer
92
+
93
+ ### Enterprise Function Agents
94
+ - Technical issue classification agent for a global digital travel player
95
+ - Financial agent for reconciliation & auditing at leading digital gaming company
96
+ - Accrual agent for purchase orders; Workday agent for performance calibration
97
+
98
+ ### IT Automation Agents
99
+ - OpsPilot agent for L1/L2 ticket resolution
100
+ - Data pipeline automation through agents for a global Big Tech player
101
+ - Infrastructure ticket processing automation for leading US sports media company
102
+
103
+ ### Highlight
104
+ End-to-end agentic orchestration for Mortgage origination. Enterprise agentic platform for global gaming platform.
105
+
106
+ ---
107
+
108
+ ## Data Transformation Practice
109
+
110
+ **400+ Associates, 100+ Certifications, 30+ Major implementations** (Lakes, Warehouses, Mesh, Fabric).
111
+
112
+ Industries: Mortgage, Fintech, Media, Travel, Manufacturing, Retail.
113
+ Technologies: Spark, Databricks, Snowflake, Salesforce, AWS, Azure, GCP.
114
+
115
+ ### Services
116
+ - **Data Transformation & Analytics:** Scalable ETL/ELT pipelines, data enrichment, interactive dashboards
117
+ - **Data Ops / Data Reliability:** Real-time observability, automated retry/rollback/self-healing, compute & storage optimization
118
+ - **Cloud Transformation:** Re-platform legacy to Snowflake, Databricks, Azure Synapse; hybrid architectures
119
+ - **Data Compliance & Governance:** Data Governance, Quality, Meta Data Management, Privacy & Regulatory Compliance, MDM, Audit Readiness
120
+
121
+ ### AIgnite™ Datascape
122
+ - AI-generated Data Pipelines: Converts requirements into full systems (not just code snippets). Effective in migrations
123
+ - Multi-cloud & Multi-tech: Supports AWS, Azure, GCP, Databricks, Snowflake, dbt
124
+ - Integrated DataOps, FinOps & Governance: Automated monitoring, incident resolution, cost optimization
125
+
126
+ ---
127
+
128
+ ## AIOps for Data Platforms
129
+
130
+ **Cut MTTR 50–70% and raise SLA adherence to 90–95% in ≤90 days.**
131
+
132
+ ### Business Outcomes
133
+ - MTTR ↓ 50–70% (auto-triage + safe actions)
134
+ - SLA adherence ↑ to 90–95% (predictive breach alerts)
135
+ - Data quality incidents ↓ 40–60% (proactive drift checks)
136
+ - Engineer productivity ↑ 25–35% (fewer escalations)
137
+
138
+ ### Optimization Areas
139
+ - **Observability:** Logs, metrics, traces (CloudWatch / Datadog / OTel), lineage & ownership map
140
+ - **Pipelines & Runtimes:** Airflow, Argo, Databricks, Spark, dbt, Snowflake, BigQuery, Redshift, Kafka, Kubernetes
141
+ - **Data Quality:** Volume/schema/cardinality drift, partition/file health, PII policy checks
142
+ - **Performance/Cost:** Skew, spill, cache churn, small files, slots/credits/DBUs
143
+
144
+ ### 90-Day Playbook
145
+ - **0–14 Days (Assess & Quick Wins):** Alert dedupe, baseline DQ, guarded restart. MTTR ↓ 5–10%
146
+ - **15–45 Days (Optimize):** Predictive SLA alerts, KG-aware routing, RCA auto-drafts. MTTR ↓ 10–25%, SLA ↑ 88–92%
147
+ - **46–90 Days (Industrialize):** Guardrails-as-code, canary gates, RL safe actions. MTTR ↓ 25–60%, SLA ↑ 90–98%
148
+
149
+ ---
150
+
151
+ ## Analytics Framework
152
+
153
+ Combination of Statistical Models → ML Models → Agentic AI for insights & recommendations.
154
+
155
+ ### Statistical Layer
156
+ - **Deviation Detector:** Real-time anomaly detection across metrics (z-scores, seasonal adjustment)
157
+ - **Benchmark Analyzer:** Peer cohort ranking, percentile distributions (P25–P90)
158
+
159
+ ### Classical ML Layer
160
+ - **Trend Classification Engine:** 30–90 day revenue forecasting, momentum patterns
161
+ - **Priority & Action Classifier:** Opportunity/risk scoring, optimal intervention types
162
+
163
+ ### Agentic AI Layer
164
+ - **Insight Synthesizer:** Natural language strategic takeaways, 80% reduction in executive time-to-insight
165
+ - **Action Recommender:** Personalized actions with ROI estimates and implementation roadmaps
166
+
167
+ ---
168
+
169
+ ## Technology Stack (Reference Architecture — AWS-Native)
170
+
171
+ | # | Layer | Technology | Purpose |
172
+ |---|-------|-----------|---------|
173
+ | 01 | Data Management | AWS S3 + Redshift | Cleansed source data for analytics |
174
+ | 02 | Data Processing | AWS Glue + Redshift | Aggregations, statistical analysis |
175
+ | 03 | Machine Learning | AWS SageMaker | Model development, training, management |
176
+ | 04 | AI Agents | AWS Bedrock + Agents | Agent orchestration, guardrails |
177
+ | 05 | API | Lambda + API Gateway | Secure data delivery |
178
+ | 06 | UI Hosting | AWS Amplify | React-based dashboards |
179
+ | 07 | Governance | CloudWatch, Secrets Manager, KMS | Logging, secrets, key management |
180
+
181
+ Stack philosophy: Fully AWS-native, managed services, designed for rapid MVP with path to production-grade.
@@ -0,0 +1,61 @@
1
+ # Tavant Corporate Template 2025 — Reference
2
+
3
+ ## Slide Size
4
+ 13.33" x 7.50" (Widescreen 16:9)
5
+
6
+ ## Brand Elements
7
+ - **Primary Color:** Orange #F36E26 (accents, headers, highlights)
8
+ - **Secondary Orange:** #F77A33 (subtitles)
9
+ - **Accent Orange:** #FF8909 (bullet points, content text on dark)
10
+ - **Dark Background:** #222222 (dark content slides)
11
+ - **Grey Background:** #77787B (chart slides)
12
+ - **Black Background:** #000000 (case studies, quotes, timeline)
13
+ - **Orange Background:** #F26F26 (horizontal timeline)
14
+ - **Font:** Aptos throughout
15
+ - **Footer:** "Tavant & Customer Confidential" on every slide
16
+ - **Footer bar:** Black bar with orange triangle accent at bottom
17
+
18
+ ## 23 Available Layouts
19
+
20
+ ### Opening & Closing
21
+ 1. **title_cover** — Dark tech imagery, large title (3 lines max), subtitle, date, orange Tavant logo
22
+ 2. **thank_you** — Dark abstract imagery, "THANK YOU", office locations, contact info
23
+
24
+ ### Section Dividers
25
+ 3. **breaker_ai** — AI brain imagery background, bold orange title, key points
26
+ 4. **breaker_cloud** — Cloud/abstract imagery, bold orange title
27
+ 5. **breaker_abstract** — Abstract lines imagery, bold orange title
28
+ 6. **agenda** — Dark data-waves background, numbered orange items (up to 6)
29
+
30
+ ### Content Slides (White Background)
31
+ 7. **content** — Title + content area (bullets or text)
32
+ 8. **title_subtitle_content** — Title + orange subtitle + content area (most versatile)
33
+ 9. **title_subtitle** — Title + subtitle only (for section intros)
34
+ 10. **two_column** — Title + subtitle + two equal content columns
35
+ 11. **title_only** — Title only, open space below
36
+ 12. **blank** — Empty with footer only
37
+
38
+ ### Content Slides (Dark Background)
39
+ 13. **content_dark** — Dark grey, title + content (orange text)
40
+ 14. **title_only_dark** — Dark grey, title only
41
+
42
+ ### Visual/Image Layouts
43
+ 15. **multi_case_study** — Black bg, 4 white card columns (for case studies)
44
+ 16. **image_content_a** — White, content left + image right
45
+ 17. **image_content_b** — Black, image left + 2 topic boxes right + body below
46
+ 18. **image_grid** — Image top, 2x3 text grid below
47
+ 19. **three_column_images** — Black, 3 image slots + 3 numbered topic blocks
48
+ 20. **multi_quote** — Black, 3 rows with logo left + quote right
49
+
50
+ ### Data & Timeline
51
+ 21. **chart** — Grey bg, content left + chart right + takeaway box
52
+ 22. **timeline_vertical** — Black, 3 KPI blocks + year highlight (for metrics over time)
53
+ 23. **timeline_horizontal** — Orange bg, 8 milestone points (for roadmaps)
54
+
55
+ ## Common Positioning Reference
56
+ - **Title:** x=0.36, y=0.37, w=12.62, h=0.39, 24pt bold Aptos
57
+ - **Subtitle:** x=0.36, y=0.78, w=12.62, h=0.41, 18pt #F77A33
58
+ - **Content area:** x=0.35, y=1.38, w=12.63, h=5.30, 18pt
59
+ - **Footer bar:** y=6.83, full width
60
+ - **Confidential text:** x=10.15, y=7.15, 10.7pt
61
+ - **Logo position:** x=12.63, y=7.02 (small orange logo on footer)
package/package.json ADDED
@@ -0,0 +1,32 @@
1
+ {
2
+ "name": "tavant-docs-mcp",
3
+ "version": "1.0.0",
4
+ "description": "MCP server for creating Tavant corporate documents — presentations, contracts, and SOWs",
5
+ "main": "index.js",
6
+ "bin": {
7
+ "tavant-docs-mcp": "./index.js"
8
+ },
9
+ "scripts": {
10
+ "start": "node index.js",
11
+ "test": "node test-e2e.js"
12
+ },
13
+ "keywords": [
14
+ "mcp",
15
+ "pptx",
16
+ "docx",
17
+ "contract",
18
+ "sow",
19
+ "tavant"
20
+ ],
21
+ "author": "Tavant",
22
+ "license": "ISC",
23
+ "type": "commonjs",
24
+ "dependencies": {
25
+ "@modelcontextprotocol/sdk": "^1.27.1",
26
+ "docx": "^9.6.1",
27
+ "jszip": "^3.10.1",
28
+ "pptxgenjs": "^4.0.1",
29
+ "uuid": "^13.0.0",
30
+ "zod": "^3.25.76"
31
+ }
32
+ }