Image.jsx 16.3 KB
Newer Older
yakoff94's avatar
yakoff94 committed
1
import { NodeViewWrapper, ReactNodeViewRenderer } from "@tiptap/react";
2
import React, { useEffect, useRef, useState, Fragment } from "react";
yakoff94's avatar
yakoff94 committed
3
4
5
6
import TipTapImage from "@tiptap/extension-image";

const MIN_WIDTH = 60;
const BORDER_COLOR = '#0096fd';
7
const ALIGN_OPTIONS = ['left', 'center', 'right'];
yakoff94's avatar
yakoff94 committed
8

9
const ResizableImageTemplate = ({ node, updateAttributes, editor, getPos }) => {
yakoff94's avatar
yakoff94 committed
10
    const imgRef = useRef(null);
11
    const wrapperRef = useRef(null);
yakoff94's avatar
yakoff94 committed
12
    const [editing, setEditing] = useState(false);
13
14
15
16
17
18
19
20
21
22
    const [showAlignMenu, setShowAlignMenu] = useState(false);
    const isInitialized = useRef(false);
    const resizeData = useRef({
        startWidth: 0,
        startHeight: 0,
        startX: 0,
        startY: 0,
        aspectRatio: 1
    });

Яков's avatar
fix    
Яков committed
23
    // Добавляем прозрачный нулевой пробел после изображения (исправленная версия)
24
    useEffect(() => {
Яков's avatar
fix    
Яков committed
25
        if (!editor?.isEditable || typeof getPos !== 'function') return;
26

Яков's avatar
fix    
Яков committed
27
28
29
30
        const insertZeroWidthSpace = () => {
            try {
                const pos = getPos();
                if (typeof pos !== 'number' || pos < 0) return;
31

Яков's avatar
fix    
Яков committed
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
                const doc = editor.state.doc;
                const insertPos = pos + 1; // Позиция после изображения

                // Проверяем, что позиция существует в документе
                if (insertPos >= doc.content.size) return;

                // Проверяем, не добавлен ли уже нулевой пробел
                const nextNode = doc.nodeAt(insertPos);
                if (nextNode?.textContent === '\u200B') return;

                // Вставляем пробел с небольшой задержкой для стабильности
                setTimeout(() => {
                    if (editor.isDestroyed) return;
                    editor.commands.insertContentAt(insertPos, {
                        type: 'text',
                        text: '\u200B'
                    });
                }, 50);
            } catch (error) {
                console.warn('Error inserting zero-width space:', error);
            }
        };

        const timer = setTimeout(insertZeroWidthSpace, 100);
        return () => clearTimeout(timer);
57
    }, [editor, getPos]);
yakoff94's avatar
yakoff94 committed
58

Яков's avatar
fix    
Яков committed
59
    // Инициализация размеров (исправленная версия)
yakoff94's avatar
yakoff94 committed
60
    useEffect(() => {
Яков's avatar
fix    
Яков committed
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
        if (!imgRef.current || isInitialized.current) return;

        const initImageSize = () => {
            try {
                const width = node.attrs.width || imgRef.current.naturalWidth;
                const height = node.attrs.height || imgRef.current.naturalHeight;

                // Проверяем валидность размеров перед обновлением
                if (width > 0 && height > 0) {
                    updateAttributes({
                        width: Math.round(width),
                        height: Math.round(height)
                    });
                    isInitialized.current = true;
                }
            } catch (error) {
                console.warn('Error initializing image size:', error);
            }
        };

        // Если изображение уже загружено
        if (imgRef.current.complete) {
            initImageSize();
        } else {
            // Если еще загружается - ждем события onLoad
            imgRef.current.onload = initImageSize;
87
        }
Яков's avatar
fix    
Яков committed
88
89
90
91
92
93
94

        return () => {
            // Очищаем обработчик при размонтировании
            if (imgRef.current) {
                imgRef.current.onload = null;
            }
        };
95
96
97
98
99
100
    }, [node.attrs.width, node.attrs.height, updateAttributes]);

    const handleResizeStart = (direction) => (e) => {
        e.preventDefault();
        e.stopPropagation();

101
102
        const currentWidth = node.attrs.width || imgRef.current.naturalWidth;
        const currentHeight = node.attrs.height || imgRef.current.naturalHeight;
103
104
105
106
107
108
109
110

        resizeData.current = {
            startWidth: currentWidth,
            startHeight: currentHeight,
            startX: e.clientX,
            startY: e.clientY,
            aspectRatio: currentWidth / currentHeight,
            direction
yakoff94's avatar
yakoff94 committed
111
        };
112
113
114
115
116
117
118
119
120
121

        const onMouseMove = (e) => {
            const { startWidth, startHeight, startX, startY, aspectRatio, direction } = resizeData.current;

            const deltaX = e.clientX - startX;
            const deltaY = e.clientY - startY;

            let newWidth, newHeight;

            if (node.attrs.align === 'center') {
122
                // Особый случай для центрированного изображения
123
                if (direction.includes('n') || direction.includes('s')) {
124
                    // Только вертикальный ресайз с сохранением пропорций
125
126
127
128
                    const scale = direction.includes('s') ? 1 : -1;
                    newHeight = Math.max(startHeight + deltaY * scale, MIN_WIDTH);
                    newWidth = Math.round(newHeight * aspectRatio);
                } else {
129
                    // Горизонтальный ресайз с сохранением пропорций
130
131
132
133
134
                    const scale = direction.includes('e') ? 1 : -1;
                    newWidth = Math.max(startWidth + deltaX * scale, MIN_WIDTH);
                    newHeight = Math.round(newWidth / aspectRatio);
                }
            } else {
135
                // Обычный ресайз для других выравниваний
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
                if (direction.includes('e') || direction.includes('w')) {
                    const scale = direction.includes('e') ? 1 : -1;
                    newWidth = Math.max(startWidth + deltaX * scale, MIN_WIDTH);
                    newHeight = Math.round(newWidth / aspectRatio);
                } else {
                    const scale = direction.includes('s') ? 1 : -1;
                    newHeight = Math.max(startHeight + deltaY * scale, MIN_WIDTH);
                    newWidth = Math.round(newHeight * aspectRatio);
                }
            }

            updateAttributes({
                width: newWidth,
                height: newHeight
            });
yakoff94's avatar
yakoff94 committed
151
152
        };

153
154
155
156
        const onMouseUp = () => {
            window.removeEventListener('mousemove', onMouseMove);
            window.removeEventListener('mouseup', onMouseUp);
            editor.commands.focus();
yakoff94's avatar
yakoff94 committed
157
158
        };

159
160
161
        window.addEventListener('mousemove', onMouseMove);
        window.addEventListener('mouseup', onMouseUp);
    };
yakoff94's avatar
yakoff94 committed
162

163
164
165
166
167
168
169
170
171
    const handleAlign = (align) => {
        updateAttributes({ align });
        setShowAlignMenu(false);
        setTimeout(() => editor.commands.focus(), 100);
    };

    const getWrapperStyle = () => {
        const baseStyle = {
            display: 'inline-block',
172
173
            lineHeight: 0,
            margin: '0.5rem 0',
174
175
176
177
178
179
180
181
            position: 'relative',
            outline: editing ? `1px dashed ${BORDER_COLOR}` : 'none',
            verticalAlign: 'top',
            zIndex: 1
        };

        switch(node.attrs.align) {
            case 'left':
182
                return { ...baseStyle, float: 'left', marginRight: '1rem' };
183
            case 'right':
184
                return { ...baseStyle, float: 'right', marginLeft: '1rem' };
185
186
187
188
            case 'center':
                return {
                    ...baseStyle,
                    display: 'block',
189
190
                    marginLeft: 'auto',
                    marginRight: 'auto',
191
192
                    textAlign: 'center'
                };
193
194
195
196
            case 'wrap-left':
                return { ...baseStyle, float: 'left', margin: '0 1rem 1rem 0', shapeOutside: 'margin-box' };
            case 'wrap-right':
                return { ...baseStyle, float: 'right', margin: '0 0 1rem 1rem', shapeOutside: 'margin-box' };
197
198
199
200
            default:
                return baseStyle;
        }
    };
yakoff94's avatar
yakoff94 committed
201

202
203
204
205
206
207
208
209
210
211
    const getImageStyle = () => ({
        width: node.attrs.width ? `${node.attrs.width}px` : 'auto',
        height: node.attrs.height ? `${node.attrs.height}px` : 'auto',
        maxWidth: '100%',
        display: 'block',
        cursor: 'default',
        userSelect: 'none',
        margin: node.attrs.align === 'center' ? '0 auto' : '0'
    });

yakoff94's avatar
yakoff94 committed
212
213
    return (
        <NodeViewWrapper
214
            as="div"
215
216
217
218
219
            style={getWrapperStyle()}
            ref={wrapperRef}
            onClick={(e) => {
                e.stopPropagation();
                setEditing(true);
yakoff94's avatar
yakoff94 committed
220
            }}
221
222
            contentEditable={false}
            data-image-wrapper
yakoff94's avatar
yakoff94 committed
223
224
        >
            <img
225
226
                {...node.attrs}
                ref={imgRef}
227
                style={getImageStyle()}
228
                onLoad={() => {
229
                    if (imgRef.current && !isInitialized.current) {
230
231
232
233
234
235
236
237
                        const width = imgRef.current.naturalWidth;
                        const height = imgRef.current.naturalHeight;
                        updateAttributes({
                            width: Math.round(width),
                            height: Math.round(height)
                        });
                        isInitialized.current = true;
                    }
yakoff94's avatar
yakoff94 committed
238
239
                }}
            />
240

yakoff94's avatar
yakoff94 committed
241
            {editing && (
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
                <Fragment>
                    {['nw', 'ne', 'sw', 'se'].map(dir => (
                        <div
                            key={dir}
                            onMouseDown={handleResizeStart(dir)}
                            style={{
                                position: 'absolute',
                                width: 12,
                                height: 12,
                                backgroundColor: BORDER_COLOR,
                                border: '1px solid white',
                                [dir[0] === 'n' ? 'top' : 'bottom']: -6,
                                [dir[1] === 'w' ? 'left' : 'right']: node.attrs.align === 'center' ? '50%' : -6,
                                transform: node.attrs.align === 'center' ?
                                    `translateX(${dir[1] === 'w' ? '-100%' : '0%'})` : 'none',
                                cursor: `${dir}-resize`,
                                zIndex: 10
                            }}
                        />
yakoff94's avatar
yakoff94 committed
261
                    ))}
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281

                    {showAlignMenu && (
                        <div style={{
                            position: 'absolute',
                            top: -40,
                            left: '50%',
                            transform: 'translateX(-50%)',
                            backgroundColor: 'white',
                            boxShadow: '0 2px 8px rgba(0,0,0,0.15)',
                            borderRadius: 4,
                            padding: 4,
                            zIndex: 20,
                            display: 'flex'
                        }}>
                            {ALIGN_OPTIONS.map(align => (
                                <button
                                    key={align}
                                    onClick={() => handleAlign(align)}
                                    style={{
                                        margin: '0 2px',
282
                                        padding: '10px 8px',
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
                                        background: node.attrs.align === align ? '#e6f7ff' : 'transparent',
                                        border: '1px solid #d9d9d9',
                                        borderRadius: 2,
                                        cursor: 'pointer'
                                    }}
                                >
                                    {align}
                                </button>
                            ))}
                        </div>
                    )}

                    <button
                        onClick={(e) => {
                            e.stopPropagation();
                            setShowAlignMenu(!showAlignMenu);
                        }}
                        style={{
                            position: 'absolute',
                            top: -30,
                            left: '50%',
                            transform: 'translateX(-50%)',
                            backgroundColor: 'white',
                            border: `1px solid ${BORDER_COLOR}`,
                            borderRadius: 4,
308
                            padding: '8px 8px',
309
310
311
312
313
314
315
316
                            cursor: 'pointer',
                            fontSize: 12,
                            zIndex: 10
                        }}
                    >
                        Align
                    </button>
                </Fragment>
yakoff94's avatar
yakoff94 committed
317
318
319
320
321
322
323
324
325
            )}
        </NodeViewWrapper>
    );
};

const ResizableImageExtension = TipTapImage.extend({
    addAttributes() {
        return {
            ...this.parent?.(),
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
            src: {
                default: null,
            },
            alt: {
                default: null,
            },
            title: {
                default: null,
            },
            width: {
                default: null,
                parseHTML: element => {
                    const width = element.getAttribute('width');
                    return width ? parseInt(width, 10) : null;
                },
                renderHTML: attributes => attributes.width ? { width: attributes.width } : {}
            },
            height: {
                default: null,
                parseHTML: element => {
                    const height = element.getAttribute('height');
                    return height ? parseInt(height, 10) : null;
                },
                renderHTML: attributes => attributes.height ? { height: attributes.height } : {}
            },
            align: {
                default: 'left',
                parseHTML: element => element.getAttribute('data-align') || 'left',
                renderHTML: attributes => ({ 'data-align': attributes.align })
            }
yakoff94's avatar
yakoff94 committed
356
357
        };
    },
358
359

    renderHTML({ HTMLAttributes }) {
Яков's avatar
fix    
Яков committed
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
        // Получаем align из атрибутов, учитывая data-align как fallback
        const align = HTMLAttributes.align ||
            HTMLAttributes['data-align'] ||
            'left';

        // Определяем, нужно ли применять float
        const floatValue = align.startsWith('wrap-') ? align.split('-')[1] :
            ['left', 'right'].includes(align) ? align :
                'none';

        // Определяем margin в зависимости от выравнивания
        let marginValue;
        switch(align) {
            case 'left':
            case 'wrap-left':
                marginValue = '0 1rem 1rem 0';
                break;
            case 'right':
            case 'wrap-right':
                marginValue = '0 0 1rem 1rem';
                break;
            case 'center':
                marginValue = '0.5rem auto';
                break;
            default:
                marginValue = '0';
        }
387
388
389
390

        return ['span', {
            'data-type': 'resizable-image',
            'data-image-wrapper': true,
Яков's avatar
fix    
Яков committed
391
            'data-align': align,  // Сохраняем значение align в data-атрибуте
392
            style: `
Яков's avatar
fix    
Яков committed
393
            display: ${align === 'center' ? 'block' : 'inline-block'};
Яков's avatar
fix    
Яков committed
394
395
396
            float: ${floatValue};
            margin: ${marginValue};
            shape-outside: ${align.startsWith('wrap-') ? 'margin-box' : 'none'};
Яков's avatar
fix    
Яков committed
397
398
399
400
            vertical-align: top;
            position: relative;
            z-index: 1;
            ${align === 'center' ? 'width: 100%; text-align: center;' : ''}
Яков's avatar
fix    
Яков committed
401
        `
Яков's avatar
fix    
Яков committed
402
403
404
405
406
407
408
409
        }, ['img', {
            ...HTMLAttributes,
            style: `
            ${HTMLAttributes.style || ''};
            display: ${align === 'center' ? 'inline-block' : 'block'};
            margin: ${align === 'center' ? '0 auto' : '0'};
            max-width: 100%;
            height: auto;
Яков's avatar
fix    
Яков committed
410
411
412
        `,
            // Убедимся, что align также передаётся в img
            'data-align': align
Яков's avatar
fix    
Яков committed
413
        }]];
414
415
    },

yakoff94's avatar
yakoff94 committed
416
417
    addNodeView() {
        return ReactNodeViewRenderer(ResizableImageTemplate);
418
419
420
421
422
    }
}).configure({
    inline: true,
    group: 'inline',
    draggable: true,
423
    selectable: false // Важно отключить выделение изображения
424
});
yakoff94's avatar
yakoff94 committed
425
426

export default ResizableImageExtension;