@heylemon/lemonade 0.1.4 → 0.1.6

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.
@@ -0,0 +1,218 @@
1
+ #!/usr/bin/env node
2
+ import pptxgen from "pptxgenjs";
3
+ import fs from "node:fs";
4
+
5
+ const DEFAULT_THEME = {
6
+ primary: "1E2761",
7
+ secondary: "CADCFC",
8
+ accent: "F5A623",
9
+ text_dark: "1E293B",
10
+ text_light: "FFFFFF",
11
+ text_muted: "64748B",
12
+ bg_light: "F8FAFC",
13
+ bg_dark: "1E2761",
14
+ font_heading: "Arial Black",
15
+ font_body: "Arial",
16
+ chart_colors: ["2E86AB", "F5A623", "E74C3C", "2ECC71", "9B59B6", "1ABC9C"],
17
+ };
18
+
19
+ const TYPE = {
20
+ title: 36,
21
+ subtitle: 18,
22
+ h1: 28,
23
+ h2: 20,
24
+ body: 14,
25
+ caption: 10,
26
+ stat: 60,
27
+ stat_label: 12,
28
+ };
29
+
30
+ function buildPresentation(spec) {
31
+ const theme = { ...DEFAULT_THEME, ...(spec.theme || {}) };
32
+ const pres = new pptxgen();
33
+ pres.layout = "LAYOUT_16x9";
34
+ pres.author = spec.author || "Lemon AI";
35
+ pres.title = spec.title || "Presentation";
36
+
37
+ const W = 10;
38
+ const H = 5.625;
39
+ const M = 0.5;
40
+ const CW = W - 2 * M;
41
+ const totalSlides = spec.slides.length;
42
+
43
+ const addSlideNumber = (slide, slideNum) => {
44
+ slide.addText(`${slideNum} / ${totalSlides}`, {
45
+ x: W - 1.5,
46
+ y: H - 0.4,
47
+ w: 1,
48
+ h: 0.3,
49
+ fontSize: 8,
50
+ color: theme.text_muted,
51
+ align: "right",
52
+ fontFace: theme.font_body,
53
+ });
54
+ };
55
+
56
+ spec.slides.forEach((slideDef, idx) => {
57
+ const slide = pres.addSlide();
58
+ const type = slideDef.type || "content";
59
+ const slideNum = idx + 1;
60
+
61
+ if (type === "title") {
62
+ slide.background = { color: theme.bg_dark };
63
+ slide.addText(slideDef.title || "Presentation Title", {
64
+ x: M,
65
+ y: H * 0.3,
66
+ w: CW,
67
+ h: 1.5,
68
+ fontSize: TYPE.title,
69
+ fontFace: theme.font_heading,
70
+ color: theme.text_light,
71
+ bold: true,
72
+ });
73
+ if (slideDef.subtitle) {
74
+ slide.addText(slideDef.subtitle, {
75
+ x: M,
76
+ y: H * 0.3 + 1.5,
77
+ w: CW,
78
+ h: 0.6,
79
+ fontSize: TYPE.subtitle,
80
+ fontFace: theme.font_body,
81
+ color: theme.secondary,
82
+ });
83
+ }
84
+ } else if (type === "section") {
85
+ slide.background = { color: theme.primary };
86
+ slide.addText(slideDef.title || "Section", {
87
+ x: M,
88
+ y: H * 0.35,
89
+ w: CW,
90
+ h: 1,
91
+ fontSize: TYPE.h1,
92
+ fontFace: theme.font_heading,
93
+ color: theme.text_light,
94
+ bold: true,
95
+ });
96
+ } else if (type === "stats") {
97
+ slide.background = { color: theme.bg_light };
98
+ if (slideDef.title) {
99
+ slide.addText(slideDef.title, {
100
+ x: M,
101
+ y: M,
102
+ w: CW,
103
+ h: 0.6,
104
+ fontSize: TYPE.h2,
105
+ fontFace: theme.font_heading,
106
+ color: theme.text_dark,
107
+ bold: true,
108
+ });
109
+ }
110
+ const stats = slideDef.stats || [];
111
+ const count = Math.max(1, stats.length);
112
+ const gap = 0.3;
113
+ const cardW = (CW - gap * (count - 1)) / count;
114
+ const yStart = 1.4;
115
+ stats.forEach((stat, i) => {
116
+ const x = M + i * (cardW + gap);
117
+ slide.addShape(pres.shapes.ROUNDED_RECTANGLE, {
118
+ x,
119
+ y: yStart,
120
+ w: cardW,
121
+ h: 2.5,
122
+ fill: { color: "FFFFFF" },
123
+ });
124
+ slide.addText(stat.value || "0", {
125
+ x,
126
+ y: yStart + 0.4,
127
+ w: cardW,
128
+ h: 1,
129
+ fontSize: TYPE.stat,
130
+ fontFace: theme.font_heading,
131
+ color: theme.chart_colors[i % theme.chart_colors.length],
132
+ bold: true,
133
+ align: "center",
134
+ });
135
+ slide.addText(stat.label || "", {
136
+ x: x + 0.2,
137
+ y: yStart + 1.5,
138
+ w: cardW - 0.4,
139
+ h: 0.8,
140
+ fontSize: TYPE.stat_label,
141
+ fontFace: theme.font_body,
142
+ color: theme.text_muted,
143
+ align: "center",
144
+ });
145
+ });
146
+ addSlideNumber(slide, slideNum);
147
+ } else {
148
+ slide.background = { color: theme.bg_light };
149
+ let y = M;
150
+ if (slideDef.title) {
151
+ slide.addText(slideDef.title, {
152
+ x: M,
153
+ y,
154
+ w: CW,
155
+ h: 0.6,
156
+ fontSize: TYPE.h2,
157
+ fontFace: theme.font_heading,
158
+ color: theme.text_dark,
159
+ bold: true,
160
+ });
161
+ y += 0.9;
162
+ }
163
+ if (slideDef.content) {
164
+ const text = Array.isArray(slideDef.content)
165
+ ? slideDef.content.join("\n\n")
166
+ : slideDef.content;
167
+ slide.addText(text, {
168
+ x: M,
169
+ y,
170
+ w: CW,
171
+ h: 1.4,
172
+ fontSize: TYPE.body,
173
+ fontFace: theme.font_body,
174
+ color: theme.text_dark,
175
+ });
176
+ y += 1.5;
177
+ }
178
+ if (slideDef.items?.length) {
179
+ slide.addText(
180
+ slideDef.items.map((item, i) => ({
181
+ text: item,
182
+ options: { bullet: true, breakLine: i < slideDef.items.length - 1 },
183
+ })),
184
+ {
185
+ x: M + 0.1,
186
+ y,
187
+ w: CW - 0.2,
188
+ h: H - y - 0.5,
189
+ fontSize: TYPE.body,
190
+ fontFace: theme.font_body,
191
+ color: theme.text_dark,
192
+ },
193
+ );
194
+ }
195
+ addSlideNumber(slide, slideNum);
196
+ }
197
+
198
+ if (slideDef.notes) {
199
+ slide.addNotes(slideDef.notes);
200
+ }
201
+ });
202
+
203
+ return pres;
204
+ }
205
+
206
+ if (process.argv.length < 4) {
207
+ console.log("Usage: node create_pptx.js spec.json output.pptx");
208
+ process.exit(1);
209
+ }
210
+
211
+ const specPath = process.argv[2];
212
+ const outputPath = process.argv[3];
213
+ const spec = JSON.parse(fs.readFileSync(specPath, "utf8"));
214
+ const pres = buildPresentation(spec);
215
+ pres.writeFile({ fileName: outputPath }).then(() => {
216
+ console.log(`Presentation created: ${outputPath}`);
217
+ console.log(` Slides: ${spec.slides.length}`);
218
+ });
@@ -1,292 +1,23 @@
1
1
  ---
2
2
  name: xlsx
3
- description: "Use this skill any time a spreadsheet file is the primary input or output. This means any task where the user wants to: open, read, edit, or fix an existing .xlsx, .xlsm, .csv, or .tsv file (e.g., adding columns, computing formulas, formatting, charting, cleaning messy data); create a new spreadsheet from scratch or from other data sources; or convert between tabular file formats. Trigger especially when the user references a spreadsheet file by name or path — even casually (like \"the xlsx in my downloads\") — and wants something done to it or produced from it. Also trigger for cleaning or restructuring messy tabular data files (malformed rows, misplaced headers, junk data) into proper spreadsheets. The deliverable must be a spreadsheet file. Do NOT trigger when the primary deliverable is a Word document, HTML report, standalone Python script, database pipeline, or Google Sheets API integration, even if tabular data is involved."
3
+ description: "Create professional spreadsheets, dashboards, and financial models in .xlsx with deterministic scripts and formula validation."
4
4
  license: Proprietary. LICENSE.txt has complete terms
5
5
  ---
6
6
 
7
- # Requirements for Outputs
7
+ # Pro Sheets for XLSX
8
8
 
9
- ## All Excel files
9
+ Use structured JSON specs and the script pair below:
10
10
 
11
- ### Professional Font
12
- - Use a consistent, professional font (e.g., Arial, Times New Roman) for all deliverables unless otherwise instructed by the user
13
-
14
- ### Zero Formula Errors
15
- - Every Excel model MUST be delivered with ZERO formula errors (#REF!, #DIV/0!, #VALUE!, #N/A, #NAME?)
16
-
17
- ### Preserve Existing Templates (when updating templates)
18
- - Study and EXACTLY match existing format, style, and conventions when modifying files
19
- - Never impose standardized formatting on files with established patterns
20
- - Existing template conventions ALWAYS override these guidelines
21
-
22
- ## Financial models
23
-
24
- ### Color Coding Standards
25
- Unless otherwise stated by the user or existing template
26
-
27
- #### Industry-Standard Color Conventions
28
- - **Blue text (RGB: 0,0,255)**: Hardcoded inputs, and numbers users will change for scenarios
29
- - **Black text (RGB: 0,0,0)**: ALL formulas and calculations
30
- - **Green text (RGB: 0,128,0)**: Links pulling from other worksheets within same workbook
31
- - **Red text (RGB: 255,0,0)**: External links to other files
32
- - **Yellow background (RGB: 255,255,0)**: Key assumptions needing attention or cells that need to be updated
33
-
34
- ### Number Formatting Standards
35
-
36
- #### Required Format Rules
37
- - **Years**: Format as text strings (e.g., "2024" not "2,024")
38
- - **Currency**: Use $#,##0 format; ALWAYS specify units in headers ("Revenue ($mm)")
39
- - **Zeros**: Use number formatting to make all zeros "-", including percentages (e.g., "$#,##0;($#,##0);-")
40
- - **Percentages**: Default to 0.0% format (one decimal)
41
- - **Multiples**: Format as 0.0x for valuation multiples (EV/EBITDA, P/E)
42
- - **Negative numbers**: Use parentheses (123) not minus -123
43
-
44
- ### Formula Construction Rules
45
-
46
- #### Assumptions Placement
47
- - Place ALL assumptions (growth rates, margins, multiples, etc.) in separate assumption cells
48
- - Use cell references instead of hardcoded values in formulas
49
- - Example: Use =B5*(1+$B$6) instead of =B5*1.05
50
-
51
- #### Formula Error Prevention
52
- - Verify all cell references are correct
53
- - Check for off-by-one errors in ranges
54
- - Ensure consistent formulas across all projection periods
55
- - Test with edge cases (zero values, negative numbers)
56
- - Verify no unintended circular references
57
-
58
- #### Documentation Requirements for Hardcodes
59
- - Comment or in cells beside (if end of table). Format: "Source: [System/Document], [Date], [Specific Reference], [URL if applicable]"
60
- - Examples:
61
- - "Source: Company 10-K, FY2024, Page 45, Revenue Note, [SEC EDGAR URL]"
62
- - "Source: Company 10-Q, Q2 2025, Exhibit 99.1, [SEC EDGAR URL]"
63
- - "Source: Bloomberg Terminal, 8/15/2025, AAPL US Equity"
64
- - "Source: FactSet, 8/20/2025, Consensus Estimates Screen"
65
-
66
- # XLSX creation, editing, and analysis
67
-
68
- ## Overview
69
-
70
- A user may ask you to create, edit, or analyze the contents of an .xlsx file. You have different tools and workflows available for different tasks.
71
-
72
- ## Important Requirements
73
-
74
- **LibreOffice Required for Formula Recalculation**: You can assume LibreOffice is installed for recalculating formula values using the `scripts/recalc.py` script. The script automatically configures LibreOffice on first run, including in sandboxed environments where Unix sockets are restricted (handled by `scripts/office/soffice.py`)
75
-
76
- ## Reading and analyzing data
77
-
78
- ### Data analysis with pandas
79
- For data analysis, visualization, and basic operations, use **pandas** which provides powerful data manipulation capabilities:
80
-
81
- ```python
82
- import pandas as pd
83
-
84
- # Read Excel
85
- df = pd.read_excel('file.xlsx') # Default: first sheet
86
- all_sheets = pd.read_excel('file.xlsx', sheet_name=None) # All sheets as dict
87
-
88
- # Analyze
89
- df.head() # Preview data
90
- df.info() # Column info
91
- df.describe() # Statistics
92
-
93
- # Write Excel
94
- df.to_excel('output.xlsx', index=False)
95
- ```
96
-
97
- ## Excel File Workflows
98
-
99
- ## CRITICAL: Use Formulas, Not Hardcoded Values
100
-
101
- **Always use Excel formulas instead of calculating values in Python and hardcoding them.** This ensures the spreadsheet remains dynamic and updateable.
102
-
103
- ### ❌ WRONG - Hardcoding Calculated Values
104
- ```python
105
- # Bad: Calculating in Python and hardcoding result
106
- total = df['Sales'].sum()
107
- sheet['B10'] = total # Hardcodes 5000
108
-
109
- # Bad: Computing growth rate in Python
110
- growth = (df.iloc[-1]['Revenue'] - df.iloc[0]['Revenue']) / df.iloc[0]['Revenue']
111
- sheet['C5'] = growth # Hardcodes 0.15
112
-
113
- # Bad: Python calculation for average
114
- avg = sum(values) / len(values)
115
- sheet['D20'] = avg # Hardcodes 42.5
116
- ```
117
-
118
- ### ✅ CORRECT - Using Excel Formulas
119
- ```python
120
- # Good: Let Excel calculate the sum
121
- sheet['B10'] = '=SUM(B2:B9)'
122
-
123
- # Good: Growth rate as Excel formula
124
- sheet['C5'] = '=(C4-C2)/C2'
125
-
126
- # Good: Average using Excel function
127
- sheet['D20'] = '=AVERAGE(D2:D19)'
128
- ```
129
-
130
- This applies to ALL calculations - totals, percentages, ratios, differences, etc. The spreadsheet should be able to recalculate when source data changes.
131
-
132
- ## Common Workflow
133
- 1. **Choose tool**: pandas for data, openpyxl for formulas/formatting
134
- 2. **Create/Load**: Create new workbook or load existing file
135
- 3. **Modify**: Add/edit data, formulas, and formatting
136
- 4. **Save**: Write to file
137
- 5. **Recalculate formulas (MANDATORY IF USING FORMULAS)**: Use the scripts/recalc.py script
138
- ```bash
139
- python scripts/recalc.py output.xlsx
140
- ```
141
- 6. **Verify and fix any errors**:
142
- - The script returns JSON with error details
143
- - If `status` is `errors_found`, check `error_summary` for specific error types and locations
144
- - Fix the identified errors and recalculate again
145
- - Common errors to fix:
146
- - `#REF!`: Invalid cell references
147
- - `#DIV/0!`: Division by zero
148
- - `#VALUE!`: Wrong data type in formula
149
- - `#NAME?`: Unrecognized formula name
150
-
151
- ### Creating new Excel files
152
-
153
- ```python
154
- # Using openpyxl for formulas and formatting
155
- from openpyxl import Workbook
156
- from openpyxl.styles import Font, PatternFill, Alignment
157
-
158
- wb = Workbook()
159
- sheet = wb.active
160
-
161
- # Add data
162
- sheet['A1'] = 'Hello'
163
- sheet['B1'] = 'World'
164
- sheet.append(['Row', 'of', 'data'])
165
-
166
- # Add formula
167
- sheet['B2'] = '=SUM(A1:A10)'
168
-
169
- # Formatting
170
- sheet['A1'].font = Font(bold=True, color='FF0000')
171
- sheet['A1'].fill = PatternFill('solid', start_color='FFFF00')
172
- sheet['A1'].alignment = Alignment(horizontal='center')
173
-
174
- # Column width
175
- sheet.column_dimensions['A'].width = 20
176
-
177
- wb.save('output.xlsx')
178
- ```
179
-
180
- ### Editing existing Excel files
181
-
182
- ```python
183
- # Using openpyxl to preserve formulas and formatting
184
- from openpyxl import load_workbook
185
-
186
- # Load existing file
187
- wb = load_workbook('existing.xlsx')
188
- sheet = wb.active # or wb['SheetName'] for specific sheet
189
-
190
- # Working with multiple sheets
191
- for sheet_name in wb.sheetnames:
192
- sheet = wb[sheet_name]
193
- print(f"Sheet: {sheet_name}")
194
-
195
- # Modify cells
196
- sheet['A1'] = 'New Value'
197
- sheet.insert_rows(2) # Insert row at position 2
198
- sheet.delete_cols(3) # Delete column 3
199
-
200
- # Add new sheet
201
- new_sheet = wb.create_sheet('NewSheet')
202
- new_sheet['A1'] = 'Data'
203
-
204
- wb.save('modified.xlsx')
205
- ```
206
-
207
- ## Recalculating formulas
208
-
209
- Excel files created or modified by openpyxl contain formulas as strings but not calculated values. Use the provided `scripts/recalc.py` script to recalculate formulas:
210
-
211
- ```bash
212
- python scripts/recalc.py <excel_file> [timeout_seconds]
213
- ```
214
-
215
- Example:
216
11
  ```bash
217
- python scripts/recalc.py output.xlsx 30
12
+ pip install openpyxl --break-system-packages 2>/dev/null
13
+ python scripts/create_xlsx.py spec.json output.xlsx
14
+ python scripts/validate_xlsx.py output.xlsx
218
15
  ```
219
16
 
220
- The script:
221
- - Automatically sets up LibreOffice macro on first run
222
- - Recalculates all formulas in all sheets
223
- - Scans ALL cells for Excel errors (#REF!, #DIV/0!, etc.)
224
- - Returns JSON with detailed error locations and counts
225
- - Works on both Linux and macOS
226
-
227
- ## Formula Verification Checklist
228
-
229
- Quick checks to ensure formulas work correctly:
230
-
231
- ### Essential Verification
232
- - [ ] **Test 2-3 sample references**: Verify they pull correct values before building full model
233
- - [ ] **Column mapping**: Confirm Excel columns match (e.g., column 64 = BL, not BK)
234
- - [ ] **Row offset**: Remember Excel rows are 1-indexed (DataFrame row 5 = Excel row 6)
235
-
236
- ### Common Pitfalls
237
- - [ ] **NaN handling**: Check for null values with `pd.notna()`
238
- - [ ] **Far-right columns**: FY data often in columns 50+
239
- - [ ] **Multiple matches**: Search all occurrences, not just first
240
- - [ ] **Division by zero**: Check denominators before using `/` in formulas (#DIV/0!)
241
- - [ ] **Wrong references**: Verify all cell references point to intended cells (#REF!)
242
- - [ ] **Cross-sheet references**: Use correct format (Sheet1!A1) for linking sheets
243
-
244
- ### Formula Testing Strategy
245
- - [ ] **Start small**: Test formulas on 2-3 cells before applying broadly
246
- - [ ] **Verify dependencies**: Check all cells referenced in formulas exist
247
- - [ ] **Test edge cases**: Include zero, negative, and very large values
248
-
249
- ### Interpreting scripts/recalc.py Output
250
- The script returns JSON with error details:
251
- ```json
252
- {
253
- "status": "success", // or "errors_found"
254
- "total_errors": 0, // Total error count
255
- "total_formulas": 42, // Number of formulas in file
256
- "error_summary": { // Only present if errors found
257
- "#REF!": {
258
- "count": 2,
259
- "locations": ["Sheet1!B5", "Sheet1!C10"]
260
- }
261
- }
262
- }
263
- ```
264
-
265
- ## Best Practices
266
-
267
- ### Library Selection
268
- - **pandas**: Best for data analysis, bulk operations, and simple data export
269
- - **openpyxl**: Best for complex formatting, formulas, and Excel-specific features
270
-
271
- ### Working with openpyxl
272
- - Cell indices are 1-based (row=1, column=1 refers to cell A1)
273
- - Use `data_only=True` to read calculated values: `load_workbook('file.xlsx', data_only=True)`
274
- - **Warning**: If opened with `data_only=True` and saved, formulas are replaced with values and permanently lost
275
- - For large files: Use `read_only=True` for reading or `write_only=True` for writing
276
- - Formulas are preserved but not evaluated - use scripts/recalc.py to update values
277
-
278
- ### Working with pandas
279
- - Specify data types to avoid inference issues: `pd.read_excel('file.xlsx', dtype={'id': str})`
280
- - For large files, read specific columns: `pd.read_excel('file.xlsx', usecols=['A', 'C', 'E'])`
281
- - Handle dates properly: `pd.read_excel('file.xlsx', parse_dates=['date_column'])`
282
-
283
- ## Code Style Guidelines
284
- **IMPORTANT**: When generating Python code for Excel operations:
285
- - Write minimal, concise Python code without unnecessary comments
286
- - Avoid verbose variable names and redundant operations
287
- - Avoid unnecessary print statements
17
+ Rules:
18
+ - Always use formulas (never hardcode calculated values).
19
+ - Keep headers clear with units.
20
+ - Keep formatting consistent.
21
+ - For financial models: blue inputs, black formulas, yellow assumptions.
288
22
 
289
- **For Excel files themselves**:
290
- - Add comments to cells with complex formulas or important assumptions
291
- - Document data sources for hardcoded values
292
- - Include notes for key calculations and model sections
23
+ See `references/spec-format.md` for full JSON schema and examples.
@@ -0,0 +1,53 @@
1
+ # Spreadsheet Spec Format
2
+
3
+ ## Top Level
4
+
5
+ ```json
6
+ {
7
+ "brand": {},
8
+ "sheets": []
9
+ }
10
+ ```
11
+
12
+ ## Sheet Types
13
+
14
+ ### data
15
+
16
+ ```json
17
+ {
18
+ "name": "Sales Data",
19
+ "type": "data",
20
+ "title": "Q1 2026 Sales Pipeline",
21
+ "headers": ["Deal", "Stage", "Value", "Close Date", "Owner"],
22
+ "rows": [["Acme", "Negotiation", 45000, "2026-03-15", "Sarah"]],
23
+ "freeze_panes": "A2",
24
+ "auto_filter": true,
25
+ "formulas": [{"cell": "C50", "formula": "=SUM(C2:C49)", "bold": true}]
26
+ }
27
+ ```
28
+
29
+ ### dashboard
30
+
31
+ ```json
32
+ {
33
+ "name": "Dashboard",
34
+ "type": "dashboard",
35
+ "title": "Q1 Performance Dashboard",
36
+ "kpis": [{"value": "$156K", "label": "Monthly Revenue", "change": "+32%"}],
37
+ "sections": [{"title": "Top Deals", "headers": ["Client", "Value"], "rows": [["Enterprise Co", "$120K"]]}]
38
+ }
39
+ ```
40
+
41
+ ### financial
42
+
43
+ ```json
44
+ {
45
+ "name": "Financial Model",
46
+ "type": "financial",
47
+ "headers": ["", "2024A", "2025E", "2026E"],
48
+ "rows": [["Revenue", 480, 960, 1920]],
49
+ "input_cells": ["B2"],
50
+ "assumption_cells": ["C2"],
51
+ "formulas": [{"cell": "D2", "formula": "=C2*(1+C3)"}]
52
+ }
53
+ ```