dom-to-pptx 1.0.2 → 1.0.3

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.
package/src/index.js CHANGED
@@ -1,486 +1,502 @@
1
- // src/index.js
2
- import PptxGenJS from 'pptxgenjs';
3
- import {
4
- parseColor,
5
- getTextStyle,
6
- isTextContainer,
7
- getVisibleShadow,
8
- generateGradientSVG,
9
- getRotation,
10
- svgToPng,
11
- getPadding,
12
- getSoftEdges,
13
- generateBlurredSVG,
14
- getBorderInfo,
15
- generateCompositeBorderSVG,
16
- } from './utils.js';
17
- import { getProcessedImage } from './image-processor.js';
18
-
19
- const PPI = 96;
20
- const PX_TO_INCH = 1 / PPI;
21
-
22
- /**
23
- * Main export function. Accepts single element or an array.
24
- * @param {HTMLElement | string | Array<HTMLElement | string>} target - The root element(s) to convert.
25
- * @param {Object} options - { fileName: string }
26
- */
27
- export async function exportToPptx(target, options = {}) {
28
- const pptx = new PptxGenJS();
29
- pptx.layout = 'LAYOUT_16x9';
30
-
31
- // Standardize input to an array, ensuring single or multiple elements are handled consistently
32
- const elements = Array.isArray(target) ? target : [target];
33
-
34
- for (const el of elements) {
35
- const root = typeof el === 'string' ? document.querySelector(el) : el;
36
- if (!root) {
37
- console.warn('Element not found, skipping slide:', el);
38
- continue;
39
- }
40
-
41
- const slide = pptx.addSlide();
42
- await processSlide(root, slide, pptx);
43
- }
44
-
45
- const fileName = options.fileName || 'export.pptx';
46
- pptx.writeFile({ fileName });
47
- }
48
-
49
- /**
50
- * Worker function to process a single DOM element into a single PPTX slide.
51
- * @param {HTMLElement} root - The root element for this slide.
52
- * @param {PptxGenJS.Slide} slide - The PPTX slide object to add content to.
53
- * @param {PptxGenJS} pptx - The main PPTX instance.
54
- */
55
- async function processSlide(root, slide, pptx) {
56
- const rootRect = root.getBoundingClientRect();
57
- const PPTX_WIDTH_IN = 10;
58
- const PPTX_HEIGHT_IN = 5.625;
59
-
60
- const contentWidthIn = rootRect.width * PX_TO_INCH;
61
- const contentHeightIn = rootRect.height * PX_TO_INCH;
62
- const scale = Math.min(PPTX_WIDTH_IN / contentWidthIn, PPTX_HEIGHT_IN / contentHeightIn);
63
-
64
- const layoutConfig = {
65
- rootX: rootRect.x,
66
- rootY: rootRect.y,
67
- scale: scale,
68
- offX: (PPTX_WIDTH_IN - contentWidthIn * scale) / 2,
69
- offY: (PPTX_HEIGHT_IN - contentHeightIn * scale) / 2,
70
- };
71
-
72
- const renderQueue = [];
73
- let domOrderCounter = 0;
74
-
75
- async function collect(node) {
76
- const order = domOrderCounter++; // Assign a DOM order for z-index tie-breaking
77
- const result = await createRenderItem(node, layoutConfig, order, pptx);
78
- if (result) {
79
- if (result.items) renderQueue.push(...result.items); // Add any generated render items to the queue
80
- if (result.stopRecursion) return; // Stop processing children if the item fully consumed the node
81
- }
82
- for (const child of node.children) await collect(child);
83
- }
84
-
85
- await collect(root);
86
-
87
- renderQueue.sort((a, b) => {
88
- if (a.zIndex !== b.zIndex) return a.zIndex - b.zIndex;
89
- return a.domOrder - b.domOrder;
90
- });
91
-
92
- for (const item of renderQueue) {
93
- if (item.type === 'shape') slide.addShape(item.shapeType, item.options);
94
- if (item.type === 'image') slide.addImage(item.options);
95
- if (item.type === 'text') slide.addText(item.textParts, item.options);
96
- }
97
- }
98
-
99
- async function createRenderItem(node, config, domOrder, pptx) {
100
- if (node.nodeType !== 1) return null;
101
- const style = window.getComputedStyle(node);
102
- if (style.display === 'none' || style.visibility === 'hidden' || style.opacity === '0')
103
- return null;
104
-
105
- const rect = node.getBoundingClientRect();
106
- if (rect.width === 0 || rect.height === 0) return null;
107
-
108
- const zIndex = style.zIndex !== 'auto' ? parseInt(style.zIndex) : 0;
109
- const rotation = getRotation(style.transform);
110
- const elementOpacity = parseFloat(style.opacity);
111
-
112
- const widthPx = node.offsetWidth || rect.width;
113
- const heightPx = node.offsetHeight || rect.height;
114
- const unrotatedW = widthPx * PX_TO_INCH * config.scale;
115
- const unrotatedH = heightPx * PX_TO_INCH * config.scale;
116
- const centerX = rect.left + rect.width / 2;
117
- const centerY = rect.top + rect.height / 2;
118
-
119
- let x = config.offX + (centerX - config.rootX) * PX_TO_INCH * config.scale - unrotatedW / 2;
120
- let y = config.offY + (centerY - config.rootY) * PX_TO_INCH * config.scale - unrotatedH / 2;
121
- let w = unrotatedW;
122
- let h = unrotatedH;
123
-
124
- const items = [];
125
-
126
- // Image handling for SVG nodes directly
127
- if (node.nodeName.toUpperCase() === 'SVG') {
128
- const pngData = await svgToPng(node);
129
- if (pngData)
130
- items.push({
131
- type: 'image',
132
- zIndex,
133
- domOrder,
134
- options: { data: pngData, x, y, w, h, rotate: rotation },
135
- });
136
- return { items, stopRecursion: true };
137
- }
138
- // Image handling for <img> tags, including rounded corners
139
- if (node.tagName === 'IMG') {
140
- let borderRadius = parseFloat(style.borderRadius) || 0;
141
- if (borderRadius === 0) {
142
- const parentStyle = window.getComputedStyle(node.parentElement);
143
- if (parentStyle.overflow !== 'visible')
144
- borderRadius = parseFloat(parentStyle.borderRadius) || 0;
145
- }
146
- const processed = await getProcessedImage(node.src, widthPx, heightPx, borderRadius);
147
- if (processed)
148
- items.push({
149
- type: 'image',
150
- zIndex,
151
- domOrder,
152
- options: { data: processed, x, y, w, h, rotate: rotation },
153
- });
154
- return { items, stopRecursion: true };
155
- }
156
-
157
- const bgColorObj = parseColor(style.backgroundColor);
158
- const bgClip = style.webkitBackgroundClip || style.backgroundClip;
159
- const isBgClipText = bgClip === 'text';
160
- const hasGradient =
161
- !isBgClipText && style.backgroundImage && style.backgroundImage.includes('linear-gradient');
162
-
163
- const borderColorObj = parseColor(style.borderColor);
164
- const borderWidth = parseFloat(style.borderWidth);
165
- const hasBorder = borderWidth > 0 && borderColorObj.hex;
166
-
167
- const borderInfo = getBorderInfo(style, config.scale);
168
- const hasUniformBorder = borderInfo.type === 'uniform';
169
- const hasCompositeBorder = borderInfo.type === 'composite';
170
-
171
- const shadowStr = style.boxShadow;
172
- const hasShadow = shadowStr && shadowStr !== 'none';
173
- const borderRadius = parseFloat(style.borderRadius) || 0;
174
- const softEdge = getSoftEdges(style.filter, config.scale);
175
-
176
- let isImageWrapper = false;
177
- const imgChild = Array.from(node.children).find((c) => c.tagName === 'IMG');
178
- if (imgChild) {
179
- const childW = imgChild.offsetWidth || imgChild.getBoundingClientRect().width;
180
- const childH = imgChild.offsetHeight || imgChild.getBoundingClientRect().height;
181
- if (childW >= widthPx - 2 && childH >= heightPx - 2) isImageWrapper = true;
182
- }
183
-
184
- let textPayload = null;
185
- const isText = isTextContainer(node);
186
-
187
- if (isText) {
188
- const textParts = [];
189
- const isList = style.display === 'list-item';
190
- if (isList) {
191
- const fontSizePt = parseFloat(style.fontSize) * 0.75 * config.scale;
192
- const bulletShift = (parseFloat(style.fontSize) || 16) * PX_TO_INCH * config.scale * 1.5;
193
- x -= bulletShift;
194
- w += bulletShift;
195
- textParts.push({
196
- text: '• ',
197
- options: {
198
- // Default bullet point styling
199
- color: parseColor(style.color).hex || '000000',
200
- fontSize: fontSizePt,
201
- },
202
- });
203
- }
204
-
205
- node.childNodes.forEach((child, index) => {
206
- // Process text content, sanitizing whitespace and applying text transformations
207
- let textVal = child.nodeType === 3 ? child.nodeValue : child.textContent;
208
- let nodeStyle = child.nodeType === 1 ? window.getComputedStyle(child) : style;
209
- textVal = textVal.replace(/[\n\r\t]+/g, ' ').replace(/\s{2,}/g, ' ');
210
- if (index === 0 && !isList) textVal = textVal.trimStart();
211
- else if (index === 0) textVal = textVal.trimStart();
212
- if (index === node.childNodes.length - 1) textVal = textVal.trimEnd();
213
- if (nodeStyle.textTransform === 'uppercase') textVal = textVal.toUpperCase();
214
- if (nodeStyle.textTransform === 'lowercase') textVal = textVal.toLowerCase();
215
-
216
- if (textVal.length > 0) {
217
- textParts.push({
218
- text: textVal,
219
- options: getTextStyle(nodeStyle, config.scale),
220
- });
221
- }
222
- });
223
-
224
- if (textParts.length > 0) {
225
- let align = style.textAlign || 'left';
226
- if (align === 'start') align = 'left';
227
- if (align === 'end') align = 'right';
228
- let valign = 'top';
229
- if (style.alignItems === 'center') valign = 'middle';
230
- if (style.justifyContent === 'center' && style.display.includes('flex')) align = 'center';
231
-
232
- const pt = parseFloat(style.paddingTop) || 0;
233
- const pb = parseFloat(style.paddingBottom) || 0;
234
- if (Math.abs(pt - pb) < 2 && bgColorObj.hex) valign = 'middle';
235
-
236
- let padding = getPadding(style, config.scale);
237
- if (align === 'center' && valign === 'middle') padding = [0, 0, 0, 0];
238
-
239
- textPayload = { text: textParts, align, valign, inset: padding };
240
- }
241
- }
242
-
243
- if (hasGradient || (softEdge && bgColorObj.hex && !isImageWrapper)) {
244
- let bgData = null;
245
- let padIn = 0;
246
- if (softEdge) {
247
- const svgInfo = generateBlurredSVG(widthPx, heightPx, bgColorObj.hex, borderRadius, softEdge);
248
- bgData = svgInfo.data;
249
- padIn = svgInfo.padding * PX_TO_INCH * config.scale;
250
- } else {
251
- bgData = generateGradientSVG(
252
- widthPx,
253
- heightPx,
254
- style.backgroundImage,
255
- borderRadius,
256
- hasBorder ? { color: borderColorObj.hex, width: borderWidth } : null
257
- );
258
- }
259
-
260
- if (bgData) {
261
- items.push({
262
- type: 'image',
263
- zIndex,
264
- domOrder,
265
- options: {
266
- data: bgData,
267
- x: x - padIn,
268
- y: y - padIn,
269
- w: w + padIn * 2,
270
- h: h + padIn * 2,
271
- rotate: rotation,
272
- },
273
- });
274
- }
275
-
276
- if (textPayload) {
277
- items.push({
278
- type: 'text',
279
- zIndex: zIndex + 1,
280
- domOrder,
281
- textParts: textPayload.text,
282
- options: {
283
- x,
284
- y,
285
- w,
286
- h,
287
- align: textPayload.align,
288
- valign: textPayload.valign,
289
- inset: textPayload.inset,
290
- rotate: rotation,
291
- margin: 0,
292
- wrap: true,
293
- autoFit: false,
294
- },
295
- });
296
- }
297
- if (hasCompositeBorder) {
298
- // Add border shapes after the main background
299
- const borderItems = createCompositeBorderItems(
300
- borderInfo.sides,
301
- x,
302
- y,
303
- w,
304
- h,
305
- config.scale,
306
- zIndex,
307
- domOrder
308
- );
309
- items.push(...borderItems);
310
- }
311
- } else if (
312
- (bgColorObj.hex && !isImageWrapper) ||
313
- hasUniformBorder ||
314
- hasCompositeBorder ||
315
- hasShadow ||
316
- textPayload
317
- ) {
318
- const finalAlpha = elementOpacity * bgColorObj.opacity;
319
- const transparency = (1 - finalAlpha) * 100;
320
-
321
- const shapeOpts = {
322
- x,
323
- y,
324
- w,
325
- h,
326
- rotate: rotation,
327
- fill:
328
- bgColorObj.hex && !isImageWrapper
329
- ? { color: bgColorObj.hex, transparency: transparency }
330
- : { type: 'none' },
331
- // Only apply line if the border is uniform
332
- line: hasUniformBorder ? borderInfo.options : null,
333
- };
334
-
335
- if (hasShadow) {
336
- shapeOpts.shadow = getVisibleShadow(shadowStr, config.scale);
337
- }
338
-
339
- const borderRadius = parseFloat(style.borderRadius) || 0;
340
- const widthPx = node.offsetWidth || rect.width;
341
- const heightPx = node.offsetHeight || rect.height;
342
- const isCircle =
343
- borderRadius >= Math.min(widthPx, heightPx) / 2 - 1 && Math.abs(widthPx - heightPx) < 2;
344
-
345
- let shapeType = pptx.ShapeType.rect;
346
- if (isCircle) shapeType = pptx.ShapeType.ellipse;
347
- else if (borderRadius > 0) {
348
- shapeType = pptx.ShapeType.roundRect;
349
- shapeOpts.rectRadius = Math.min(1, borderRadius / (Math.min(widthPx, heightPx) / 2));
350
- }
351
-
352
- // MERGE TEXT INTO SHAPE (if text exists)
353
- if (textPayload) {
354
- const textOptions = {
355
- shape: shapeType,
356
- ...shapeOpts,
357
- align: textPayload.align,
358
- valign: textPayload.valign,
359
- inset: textPayload.inset,
360
- margin: 0,
361
- wrap: true,
362
- autoFit: false,
363
- };
364
- items.push({
365
- type: 'text',
366
- zIndex,
367
- domOrder,
368
- textParts: textPayload.text,
369
- options: textOptions,
370
- });
371
- // If no text, just draw the shape
372
- } else {
373
- items.push({
374
- type: 'shape',
375
- zIndex,
376
- domOrder,
377
- shapeType,
378
- options: shapeOpts,
379
- });
380
- }
381
-
382
- // ADD COMPOSITE BORDERS (if they exist)
383
- if (hasCompositeBorder) {
384
- // Generate a single SVG image that contains all the rounded border sides
385
- const borderSvgData = generateCompositeBorderSVG(
386
- widthPx,
387
- heightPx,
388
- borderRadius,
389
- borderInfo.sides
390
- );
391
-
392
- if (borderSvgData) {
393
- items.push({
394
- type: 'image',
395
- zIndex: zIndex + 1,
396
- domOrder,
397
- options: {
398
- data: borderSvgData,
399
- x: x,
400
- y: y,
401
- w: w,
402
- h: h,
403
- rotate: rotation,
404
- },
405
- });
406
- }
407
- }
408
- }
409
-
410
- return { items, stopRecursion: !!textPayload };
411
- }
412
-
413
- /**
414
- * Helper function to create individual border shapes
415
- */
416
- function createCompositeBorderItems(sides, x, y, w, h, scale, zIndex, domOrder) {
417
- const items = [];
418
- const pxToInch = 1 / 96;
419
-
420
- // TOP BORDER
421
- if (sides.top.width > 0) {
422
- items.push({
423
- type: 'shape',
424
- zIndex: zIndex + 1,
425
- domOrder,
426
- shapeType: 'rect',
427
- options: {
428
- x: x,
429
- y: y,
430
- w: w,
431
- h: sides.top.width * pxToInch * scale,
432
- fill: { color: sides.top.color },
433
- },
434
- });
435
- }
436
- // RIGHT BORDER
437
- if (sides.right.width > 0) {
438
- items.push({
439
- type: 'shape',
440
- zIndex: zIndex + 1,
441
- domOrder,
442
- shapeType: 'rect',
443
- options: {
444
- x: x + w - sides.right.width * pxToInch * scale,
445
- y: y,
446
- w: sides.right.width * pxToInch * scale,
447
- h: h,
448
- fill: { color: sides.right.color },
449
- },
450
- });
451
- }
452
- // BOTTOM BORDER
453
- if (sides.bottom.width > 0) {
454
- items.push({
455
- type: 'shape',
456
- zIndex: zIndex + 1,
457
- domOrder,
458
- shapeType: 'rect',
459
- options: {
460
- x: x,
461
- y: y + h - sides.bottom.width * pxToInch * scale,
462
- w: w,
463
- h: sides.bottom.width * pxToInch * scale,
464
- fill: { color: sides.bottom.color },
465
- },
466
- });
467
- }
468
- // LEFT BORDER
469
- if (sides.left.width > 0) {
470
- items.push({
471
- type: 'shape',
472
- zIndex: zIndex + 1,
473
- domOrder,
474
- shapeType: 'rect',
475
- options: {
476
- x: x,
477
- y: y,
478
- w: sides.left.width * pxToInch * scale,
479
- h: h,
480
- fill: { color: sides.left.color },
481
- },
482
- });
483
- }
484
-
485
- return items;
486
- }
1
+ // src/index.js
2
+ import * as PptxGenJSImport from 'pptxgenjs';
3
+ // Normalize import so consumers get the constructor whether `pptxgenjs`
4
+ // was published as a default export or CommonJS module with a `default` property.
5
+ const PptxGenJS = PptxGenJSImport?.default ?? PptxGenJSImport;
6
+ import {
7
+ parseColor,
8
+ getTextStyle,
9
+ isTextContainer,
10
+ getVisibleShadow,
11
+ generateGradientSVG,
12
+ getRotation,
13
+ svgToPng,
14
+ getPadding,
15
+ getSoftEdges,
16
+ generateBlurredSVG,
17
+ getBorderInfo,
18
+ generateCompositeBorderSVG,
19
+ } from './utils.js';
20
+ import { getProcessedImage } from './image-processor.js';
21
+
22
+ const PPI = 96;
23
+ const PX_TO_INCH = 1 / PPI;
24
+
25
+ /**
26
+ * Main export function. Accepts single element or an array.
27
+ * @param {HTMLElement | string | Array<HTMLElement | string>} target - The root element(s) to convert.
28
+ * @param {Object} options - { fileName: string }
29
+ */
30
+ export async function exportToPptx(target, options = {}) {
31
+ // Resolve the actual constructor in case `pptxgenjs` was imported/required
32
+ // with different shapes (function, { default: fn }, or { PptxGenJS: fn }).
33
+ const resolvePptxConstructor = (pkg) => {
34
+ if (!pkg) return null;
35
+ if (typeof pkg === 'function') return pkg;
36
+ if (pkg && typeof pkg.default === 'function') return pkg.default;
37
+ if (pkg && typeof pkg.PptxGenJS === 'function') return pkg.PptxGenJS;
38
+ if (pkg && pkg.PptxGenJS && typeof pkg.PptxGenJS.default === 'function') return pkg.PptxGenJS.default;
39
+ return null;
40
+ };
41
+
42
+ const PptxConstructor = resolvePptxConstructor(PptxGenJS);
43
+ if (!PptxConstructor) throw new Error('PptxGenJS constructor not found. Ensure `pptxgenjs` is installed or included as a script.');
44
+ const pptx = new PptxConstructor();
45
+ pptx.layout = 'LAYOUT_16x9';
46
+
47
+ // Standardize input to an array, ensuring single or multiple elements are handled consistently
48
+ const elements = Array.isArray(target) ? target : [target];
49
+
50
+ for (const el of elements) {
51
+ const root = typeof el === 'string' ? document.querySelector(el) : el;
52
+ if (!root) {
53
+ console.warn('Element not found, skipping slide:', el);
54
+ continue;
55
+ }
56
+
57
+ const slide = pptx.addSlide();
58
+ await processSlide(root, slide, pptx);
59
+ }
60
+
61
+ const fileName = options.fileName || 'export.pptx';
62
+ pptx.writeFile({ fileName });
63
+ }
64
+
65
+ /**
66
+ * Worker function to process a single DOM element into a single PPTX slide.
67
+ * @param {HTMLElement} root - The root element for this slide.
68
+ * @param {PptxGenJS.Slide} slide - The PPTX slide object to add content to.
69
+ * @param {PptxGenJS} pptx - The main PPTX instance.
70
+ */
71
+ async function processSlide(root, slide, pptx) {
72
+ const rootRect = root.getBoundingClientRect();
73
+ const PPTX_WIDTH_IN = 10;
74
+ const PPTX_HEIGHT_IN = 5.625;
75
+
76
+ const contentWidthIn = rootRect.width * PX_TO_INCH;
77
+ const contentHeightIn = rootRect.height * PX_TO_INCH;
78
+ const scale = Math.min(PPTX_WIDTH_IN / contentWidthIn, PPTX_HEIGHT_IN / contentHeightIn);
79
+
80
+ const layoutConfig = {
81
+ rootX: rootRect.x,
82
+ rootY: rootRect.y,
83
+ scale: scale,
84
+ offX: (PPTX_WIDTH_IN - contentWidthIn * scale) / 2,
85
+ offY: (PPTX_HEIGHT_IN - contentHeightIn * scale) / 2,
86
+ };
87
+
88
+ const renderQueue = [];
89
+ let domOrderCounter = 0;
90
+
91
+ async function collect(node) {
92
+ const order = domOrderCounter++; // Assign a DOM order for z-index tie-breaking
93
+ const result = await createRenderItem(node, layoutConfig, order, pptx);
94
+ if (result) {
95
+ if (result.items) renderQueue.push(...result.items); // Add any generated render items to the queue
96
+ if (result.stopRecursion) return; // Stop processing children if the item fully consumed the node
97
+ }
98
+ for (const child of node.children) await collect(child);
99
+ }
100
+
101
+ await collect(root);
102
+
103
+ renderQueue.sort((a, b) => {
104
+ if (a.zIndex !== b.zIndex) return a.zIndex - b.zIndex;
105
+ return a.domOrder - b.domOrder;
106
+ });
107
+
108
+ for (const item of renderQueue) {
109
+ if (item.type === 'shape') slide.addShape(item.shapeType, item.options);
110
+ if (item.type === 'image') slide.addImage(item.options);
111
+ if (item.type === 'text') slide.addText(item.textParts, item.options);
112
+ }
113
+ }
114
+
115
+ async function createRenderItem(node, config, domOrder, pptx) {
116
+ if (node.nodeType !== 1) return null;
117
+ const style = window.getComputedStyle(node);
118
+ if (style.display === 'none' || style.visibility === 'hidden' || style.opacity === '0')
119
+ return null;
120
+
121
+ const rect = node.getBoundingClientRect();
122
+ if (rect.width === 0 || rect.height === 0) return null;
123
+
124
+ const zIndex = style.zIndex !== 'auto' ? parseInt(style.zIndex) : 0;
125
+ const rotation = getRotation(style.transform);
126
+ const elementOpacity = parseFloat(style.opacity);
127
+
128
+ const widthPx = node.offsetWidth || rect.width;
129
+ const heightPx = node.offsetHeight || rect.height;
130
+ const unrotatedW = widthPx * PX_TO_INCH * config.scale;
131
+ const unrotatedH = heightPx * PX_TO_INCH * config.scale;
132
+ const centerX = rect.left + rect.width / 2;
133
+ const centerY = rect.top + rect.height / 2;
134
+
135
+ let x = config.offX + (centerX - config.rootX) * PX_TO_INCH * config.scale - unrotatedW / 2;
136
+ let y = config.offY + (centerY - config.rootY) * PX_TO_INCH * config.scale - unrotatedH / 2;
137
+ let w = unrotatedW;
138
+ let h = unrotatedH;
139
+
140
+ const items = [];
141
+
142
+ // Image handling for SVG nodes directly
143
+ if (node.nodeName.toUpperCase() === 'SVG') {
144
+ const pngData = await svgToPng(node);
145
+ if (pngData)
146
+ items.push({
147
+ type: 'image',
148
+ zIndex,
149
+ domOrder,
150
+ options: { data: pngData, x, y, w, h, rotate: rotation },
151
+ });
152
+ return { items, stopRecursion: true };
153
+ }
154
+ // Image handling for <img> tags, including rounded corners
155
+ if (node.tagName === 'IMG') {
156
+ let borderRadius = parseFloat(style.borderRadius) || 0;
157
+ if (borderRadius === 0) {
158
+ const parentStyle = window.getComputedStyle(node.parentElement);
159
+ if (parentStyle.overflow !== 'visible')
160
+ borderRadius = parseFloat(parentStyle.borderRadius) || 0;
161
+ }
162
+ const processed = await getProcessedImage(node.src, widthPx, heightPx, borderRadius);
163
+ if (processed)
164
+ items.push({
165
+ type: 'image',
166
+ zIndex,
167
+ domOrder,
168
+ options: { data: processed, x, y, w, h, rotate: rotation },
169
+ });
170
+ return { items, stopRecursion: true };
171
+ }
172
+
173
+ const bgColorObj = parseColor(style.backgroundColor);
174
+ const bgClip = style.webkitBackgroundClip || style.backgroundClip;
175
+ const isBgClipText = bgClip === 'text';
176
+ const hasGradient =
177
+ !isBgClipText && style.backgroundImage && style.backgroundImage.includes('linear-gradient');
178
+
179
+ const borderColorObj = parseColor(style.borderColor);
180
+ const borderWidth = parseFloat(style.borderWidth);
181
+ const hasBorder = borderWidth > 0 && borderColorObj.hex;
182
+
183
+ const borderInfo = getBorderInfo(style, config.scale);
184
+ const hasUniformBorder = borderInfo.type === 'uniform';
185
+ const hasCompositeBorder = borderInfo.type === 'composite';
186
+
187
+ const shadowStr = style.boxShadow;
188
+ const hasShadow = shadowStr && shadowStr !== 'none';
189
+ const borderRadius = parseFloat(style.borderRadius) || 0;
190
+ const softEdge = getSoftEdges(style.filter, config.scale);
191
+
192
+ let isImageWrapper = false;
193
+ const imgChild = Array.from(node.children).find((c) => c.tagName === 'IMG');
194
+ if (imgChild) {
195
+ const childW = imgChild.offsetWidth || imgChild.getBoundingClientRect().width;
196
+ const childH = imgChild.offsetHeight || imgChild.getBoundingClientRect().height;
197
+ if (childW >= widthPx - 2 && childH >= heightPx - 2) isImageWrapper = true;
198
+ }
199
+
200
+ let textPayload = null;
201
+ const isText = isTextContainer(node);
202
+
203
+ if (isText) {
204
+ const textParts = [];
205
+ const isList = style.display === 'list-item';
206
+ if (isList) {
207
+ const fontSizePt = parseFloat(style.fontSize) * 0.75 * config.scale;
208
+ const bulletShift = (parseFloat(style.fontSize) || 16) * PX_TO_INCH * config.scale * 1.5;
209
+ x -= bulletShift;
210
+ w += bulletShift;
211
+ textParts.push({
212
+ text: '• ',
213
+ options: {
214
+ // Default bullet point styling
215
+ color: parseColor(style.color).hex || '000000',
216
+ fontSize: fontSizePt,
217
+ },
218
+ });
219
+ }
220
+
221
+ node.childNodes.forEach((child, index) => {
222
+ // Process text content, sanitizing whitespace and applying text transformations
223
+ let textVal = child.nodeType === 3 ? child.nodeValue : child.textContent;
224
+ let nodeStyle = child.nodeType === 1 ? window.getComputedStyle(child) : style;
225
+ textVal = textVal.replace(/[\n\r\t]+/g, ' ').replace(/\s{2,}/g, ' ');
226
+ if (index === 0 && !isList) textVal = textVal.trimStart();
227
+ else if (index === 0) textVal = textVal.trimStart();
228
+ if (index === node.childNodes.length - 1) textVal = textVal.trimEnd();
229
+ if (nodeStyle.textTransform === 'uppercase') textVal = textVal.toUpperCase();
230
+ if (nodeStyle.textTransform === 'lowercase') textVal = textVal.toLowerCase();
231
+
232
+ if (textVal.length > 0) {
233
+ textParts.push({
234
+ text: textVal,
235
+ options: getTextStyle(nodeStyle, config.scale),
236
+ });
237
+ }
238
+ });
239
+
240
+ if (textParts.length > 0) {
241
+ let align = style.textAlign || 'left';
242
+ if (align === 'start') align = 'left';
243
+ if (align === 'end') align = 'right';
244
+ let valign = 'top';
245
+ if (style.alignItems === 'center') valign = 'middle';
246
+ if (style.justifyContent === 'center' && style.display.includes('flex')) align = 'center';
247
+
248
+ const pt = parseFloat(style.paddingTop) || 0;
249
+ const pb = parseFloat(style.paddingBottom) || 0;
250
+ if (Math.abs(pt - pb) < 2 && bgColorObj.hex) valign = 'middle';
251
+
252
+ let padding = getPadding(style, config.scale);
253
+ if (align === 'center' && valign === 'middle') padding = [0, 0, 0, 0];
254
+
255
+ textPayload = { text: textParts, align, valign, inset: padding };
256
+ }
257
+ }
258
+
259
+ if (hasGradient || (softEdge && bgColorObj.hex && !isImageWrapper)) {
260
+ let bgData = null;
261
+ let padIn = 0;
262
+ if (softEdge) {
263
+ const svgInfo = generateBlurredSVG(widthPx, heightPx, bgColorObj.hex, borderRadius, softEdge);
264
+ bgData = svgInfo.data;
265
+ padIn = svgInfo.padding * PX_TO_INCH * config.scale;
266
+ } else {
267
+ bgData = generateGradientSVG(
268
+ widthPx,
269
+ heightPx,
270
+ style.backgroundImage,
271
+ borderRadius,
272
+ hasBorder ? { color: borderColorObj.hex, width: borderWidth } : null
273
+ );
274
+ }
275
+
276
+ if (bgData) {
277
+ items.push({
278
+ type: 'image',
279
+ zIndex,
280
+ domOrder,
281
+ options: {
282
+ data: bgData,
283
+ x: x - padIn,
284
+ y: y - padIn,
285
+ w: w + padIn * 2,
286
+ h: h + padIn * 2,
287
+ rotate: rotation,
288
+ },
289
+ });
290
+ }
291
+
292
+ if (textPayload) {
293
+ items.push({
294
+ type: 'text',
295
+ zIndex: zIndex + 1,
296
+ domOrder,
297
+ textParts: textPayload.text,
298
+ options: {
299
+ x,
300
+ y,
301
+ w,
302
+ h,
303
+ align: textPayload.align,
304
+ valign: textPayload.valign,
305
+ inset: textPayload.inset,
306
+ rotate: rotation,
307
+ margin: 0,
308
+ wrap: true,
309
+ autoFit: false,
310
+ },
311
+ });
312
+ }
313
+ if (hasCompositeBorder) {
314
+ // Add border shapes after the main background
315
+ const borderItems = createCompositeBorderItems(
316
+ borderInfo.sides,
317
+ x,
318
+ y,
319
+ w,
320
+ h,
321
+ config.scale,
322
+ zIndex,
323
+ domOrder
324
+ );
325
+ items.push(...borderItems);
326
+ }
327
+ } else if (
328
+ (bgColorObj.hex && !isImageWrapper) ||
329
+ hasUniformBorder ||
330
+ hasCompositeBorder ||
331
+ hasShadow ||
332
+ textPayload
333
+ ) {
334
+ const finalAlpha = elementOpacity * bgColorObj.opacity;
335
+ const transparency = (1 - finalAlpha) * 100;
336
+
337
+ const shapeOpts = {
338
+ x,
339
+ y,
340
+ w,
341
+ h,
342
+ rotate: rotation,
343
+ fill:
344
+ bgColorObj.hex && !isImageWrapper
345
+ ? { color: bgColorObj.hex, transparency: transparency }
346
+ : { type: 'none' },
347
+ // Only apply line if the border is uniform
348
+ line: hasUniformBorder ? borderInfo.options : null,
349
+ };
350
+
351
+ if (hasShadow) {
352
+ shapeOpts.shadow = getVisibleShadow(shadowStr, config.scale);
353
+ }
354
+
355
+ const borderRadius = parseFloat(style.borderRadius) || 0;
356
+ const widthPx = node.offsetWidth || rect.width;
357
+ const heightPx = node.offsetHeight || rect.height;
358
+ const isCircle =
359
+ borderRadius >= Math.min(widthPx, heightPx) / 2 - 1 && Math.abs(widthPx - heightPx) < 2;
360
+
361
+ let shapeType = pptx.ShapeType.rect;
362
+ if (isCircle) shapeType = pptx.ShapeType.ellipse;
363
+ else if (borderRadius > 0) {
364
+ shapeType = pptx.ShapeType.roundRect;
365
+ shapeOpts.rectRadius = Math.min(1, borderRadius / (Math.min(widthPx, heightPx) / 2));
366
+ }
367
+
368
+ // MERGE TEXT INTO SHAPE (if text exists)
369
+ if (textPayload) {
370
+ const textOptions = {
371
+ shape: shapeType,
372
+ ...shapeOpts,
373
+ align: textPayload.align,
374
+ valign: textPayload.valign,
375
+ inset: textPayload.inset,
376
+ margin: 0,
377
+ wrap: true,
378
+ autoFit: false,
379
+ };
380
+ items.push({
381
+ type: 'text',
382
+ zIndex,
383
+ domOrder,
384
+ textParts: textPayload.text,
385
+ options: textOptions,
386
+ });
387
+ // If no text, just draw the shape
388
+ } else {
389
+ items.push({
390
+ type: 'shape',
391
+ zIndex,
392
+ domOrder,
393
+ shapeType,
394
+ options: shapeOpts,
395
+ });
396
+ }
397
+
398
+ // ADD COMPOSITE BORDERS (if they exist)
399
+ if (hasCompositeBorder) {
400
+ // Generate a single SVG image that contains all the rounded border sides
401
+ const borderSvgData = generateCompositeBorderSVG(
402
+ widthPx,
403
+ heightPx,
404
+ borderRadius,
405
+ borderInfo.sides
406
+ );
407
+
408
+ if (borderSvgData) {
409
+ items.push({
410
+ type: 'image',
411
+ zIndex: zIndex + 1,
412
+ domOrder,
413
+ options: {
414
+ data: borderSvgData,
415
+ x: x,
416
+ y: y,
417
+ w: w,
418
+ h: h,
419
+ rotate: rotation,
420
+ },
421
+ });
422
+ }
423
+ }
424
+ }
425
+
426
+ return { items, stopRecursion: !!textPayload };
427
+ }
428
+
429
+ /**
430
+ * Helper function to create individual border shapes
431
+ */
432
+ function createCompositeBorderItems(sides, x, y, w, h, scale, zIndex, domOrder) {
433
+ const items = [];
434
+ const pxToInch = 1 / 96;
435
+
436
+ // TOP BORDER
437
+ if (sides.top.width > 0) {
438
+ items.push({
439
+ type: 'shape',
440
+ zIndex: zIndex + 1,
441
+ domOrder,
442
+ shapeType: 'rect',
443
+ options: {
444
+ x: x,
445
+ y: y,
446
+ w: w,
447
+ h: sides.top.width * pxToInch * scale,
448
+ fill: { color: sides.top.color },
449
+ },
450
+ });
451
+ }
452
+ // RIGHT BORDER
453
+ if (sides.right.width > 0) {
454
+ items.push({
455
+ type: 'shape',
456
+ zIndex: zIndex + 1,
457
+ domOrder,
458
+ shapeType: 'rect',
459
+ options: {
460
+ x: x + w - sides.right.width * pxToInch * scale,
461
+ y: y,
462
+ w: sides.right.width * pxToInch * scale,
463
+ h: h,
464
+ fill: { color: sides.right.color },
465
+ },
466
+ });
467
+ }
468
+ // BOTTOM BORDER
469
+ if (sides.bottom.width > 0) {
470
+ items.push({
471
+ type: 'shape',
472
+ zIndex: zIndex + 1,
473
+ domOrder,
474
+ shapeType: 'rect',
475
+ options: {
476
+ x: x,
477
+ y: y + h - sides.bottom.width * pxToInch * scale,
478
+ w: w,
479
+ h: sides.bottom.width * pxToInch * scale,
480
+ fill: { color: sides.bottom.color },
481
+ },
482
+ });
483
+ }
484
+ // LEFT BORDER
485
+ if (sides.left.width > 0) {
486
+ items.push({
487
+ type: 'shape',
488
+ zIndex: zIndex + 1,
489
+ domOrder,
490
+ shapeType: 'rect',
491
+ options: {
492
+ x: x,
493
+ y: y,
494
+ w: sides.left.width * pxToInch * scale,
495
+ h: h,
496
+ fill: { color: sides.left.color },
497
+ },
498
+ });
499
+ }
500
+
501
+ return items;
502
+ }