Skip to content

Visual WYSIWYG editor for Django with image upload, text formatting, code blocks, and HTML compression

License

Notifications You must be signed in to change notification settings

hvlads/django-visual-editor

Repository files navigation

Django Visual Editor

A modern block-based visual editor for Django with inline styles support. No external CSS required - all styles are embedded directly in HTML.

Features

Block-Based Architecture

  • 6 Block Types: Paragraph, Heading (H1-H6), List (ordered/unordered), Code, Quote, Image
  • Contextual Toolbar: Appears when a block is selected, showing relevant formatting options
  • Add/Remove Blocks: Easy block management with visual controls
  • Block Menu: Quick access to all block types

Inline Styles (No CSS Required!)

  • Text Alignment: Left, center, right, justify
  • Text Size: 5 preset sizes (14px - 24px)
  • Text Color: 5 preset colors (gray, blue, green, red, yellow)
  • Text Formatting: Bold, italic, underline
  • Universal Compatibility: Styles work everywhere without additional CSS files

Image Support

  • Upload: Drag-and-drop or file picker
  • Resize: Drag the edge to resize images
  • Replace: Double-click image to change it
  • Alignment: Left, center, right alignment support
  • Metadata Storage: Image URL and width stored in block data

AI Assistant (Optional)

  • Content Generation: Create new content from AI prompts
  • Content Editing: Improve existing blocks with AI assistance
  • Context-Aware: Add blocks to context for better AI understanding
  • Multi-Provider Support: Works with OpenAI, Yandex GPT, and any OpenAI-compatible API
  • Flexible Configuration: Each model has its own API credentials and settings
  • Model Switching: Change between different AI models directly in the UI

Developer-Friendly

  • TypeScript: Full TypeScript implementation with type safety
  • Block API: Easy to extend with custom block types
  • HTML Export: Clean HTML with inline styles
  • HTML Import: Parse existing HTML with styles extraction
  • Auto Cleanup: Management command to remove unused images

Installation

Quick Start (PyPI)

# Install base package
pip install django-visual-editor

# Or install with AI support
pip install django-visual-editor[ai]

From Source (Development)

# Clone repository
git clone https://github.com/hvlads/django-visual-editor.git
cd django-visual-editor

# Install Python dependencies
pip install -e ".[ai]"

# Build frontend
cd frontend
npm install
npm run build

For development with automatic rebuild:

cd frontend
npm run dev

Configure Django

Add to settings.py:

INSTALLED_APPS = [
    ...
    'django_visual_editor',
    ...
]

# Media files settings
MEDIA_URL = 'media/'
MEDIA_ROOT = BASE_DIR / 'media'

Add URL to urls.py:

from django.conf import settings
from django.conf.urls.static import static

urlpatterns = [
    ...
    path('editor/', include('django_visual_editor.urls')),
    ...
]

if settings.DEBUG:
    urlpatterns += static(settings.MEDIA_URL, document_root=settings.MEDIA_ROOT)

Run Migrations

python manage.py migrate

AI Assistant Setup (Optional)

To enable AI features, configure in settings.py:

import os

VISUAL_EDITOR_AI_CONFIG = {
    'enabled': True,
    'default_model': 'yandex-gpt',  # ID from models list below

    'models': [
        {
            'id': 'yandex-gpt',
            'name': 'YandexGPT',
            'provider': 'Yandex',
            'model': f"gpt://{os.environ.get('YANDEX_FOLDER_ID')}/yandexgpt/latest",
            'api_key': os.environ.get('YANDEX_API_KEY'),
            'base_url': 'https://llm.api.cloud.yandex.net/v1',
            'project': os.environ.get('YANDEX_FOLDER_ID'),
        },
        {
            'id': 'gpt-4o',
            'name': 'GPT-4o',
            'provider': 'OpenAI',
            'model': 'gpt-4o',
            'api_key': os.environ.get('OPENAI_API_KEY'),
            'base_url': None,  # Uses OpenAI default
            'project': None,
        },
    ],
}

Set environment variables in .env:

# Yandex Cloud AI
YANDEX_API_KEY=your-api-key
YANDEX_FOLDER_ID=your-folder-id

# OpenAI (optional)
OPENAI_API_KEY=sk-...

Using the AI Panel

  1. Click πŸ€– button on blocks to add them to context
  2. Open the AI panel on the right side
  3. Select a model from the dropdown (or use "Default Model")
  4. Choose mode: Generate (new content) or Edit (improve existing)
  5. Enter your prompt and optional instructions
  6. Click Generate/Apply

Usage

Option 1: Using VisualEditorField (Recommended)

The simplest way - just use the field in your model:

from django.db import models
from django_visual_editor import VisualEditorField

class BlogPost(models.Model):
    title = models.CharField(max_length=200)
    content = VisualEditorField(
        config={
            'min_height': 400,
            'max_height': 800,
            'placeholder': 'Start typing...',
        }
    )

Then use it in forms and admin - no additional configuration needed:

# forms.py
from django import forms
from .models import BlogPost

class BlogPostForm(forms.ModelForm):
    class Meta:
        model = BlogPost
        fields = ['title', 'content']
        # Widget is automatically set from the field!

# admin.py
from django.contrib import admin
from .models import BlogPost

@admin.register(BlogPost)
class BlogPostAdmin(admin.ModelAdmin):
    pass  # Widget is automatically set from the field!

Option 2: Using VisualEditorWidget Manually

If you prefer to use a regular TextField and configure the widget in forms:

# models.py
from django.db import models

class BlogPost(models.Model):
    title = models.CharField(max_length=200)
    content = models.TextField()  # Regular TextField

# forms.py
from django import forms
from django_visual_editor import VisualEditorWidget
from .models import BlogPost

class BlogPostForm(forms.ModelForm):
    class Meta:
        model = BlogPost
        fields = ['title', 'content']
        widgets = {
            'content': VisualEditorWidget(
                config={
                    'min_height': 400,
                    'max_height': 800,
                    'placeholder': 'Start typing...',
                }
            ),
        }

# admin.py
from django.contrib import admin
from django_visual_editor import VisualEditorWidget
from .models import BlogPost
from django import forms

class BlogPostAdminForm(forms.ModelForm):
    class Meta:
        model = BlogPost
        fields = '__all__'
        widgets = {
            'content': VisualEditorWidget(),
        }

@admin.register(BlogPost)
class BlogPostAdmin(admin.ModelAdmin):
    form = BlogPostAdminForm

In Templates

<!-- Display content -->
<div class="blog-content">
    {{ post.content|safe }}
</div>

<!-- Form -->
<form method="post">
    {% csrf_token %}
    {{ form.as_p }}
    {{ form.media }}  <!-- Important! Loads CSS and JS -->
    <button type="submit">Save</button>
</form>

Configuration

Available configuration parameters for VisualEditorWidget:

VisualEditorWidget(
    config={
        'min_height': 300,        # Minimum editor height (px)
        'max_height': 600,        # Maximum editor height (px)
        'placeholder': 'Text...', # Placeholder text
    }
)

Cleanup Unused Images

Run the management command to remove unused images:

# Show what will be deleted (dry run)
python manage.py cleanup_editor_images --dry-run

# Delete unused images
python manage.py cleanup_editor_images

It's recommended to set up this command in cron for periodic cleanup.

Example Project

Run the example blog:

cd example_project
python manage.py migrate
python manage.py createsuperuser
python manage.py runserver

Then open:

Project Structure

django-visual-editor/
β”œβ”€β”€ django_visual_editor/       # Django application
β”‚   β”œβ”€β”€ models.py              # Model for uploaded images
β”‚   β”œβ”€β”€ widgets.py             # Django widget
β”‚   β”œβ”€β”€ fields.py              # Custom model field
β”‚   β”œβ”€β”€ views.py               # Views for image upload and AI assistant
β”‚   β”œβ”€β”€ ai_service.py          # AI service for content generation
β”‚   β”œβ”€β”€ urls.py                # URL configuration
β”‚   β”œβ”€β”€ management/            # Management commands
β”‚   β”œβ”€β”€ static/                # Static files (compiled)
β”‚   └── templates/             # Templates
β”œβ”€β”€ frontend/                  # TypeScript sources
β”‚   β”œβ”€β”€ src/
β”‚   β”‚   β”œβ”€β”€ blocks/           # Block types (paragraph, heading, list, code, quote, image)
β”‚   β”‚   β”œβ”€β”€ editor/           # Block editor, contextual toolbar, block menu, AI panel
β”‚   β”‚   β”œβ”€β”€ utils/            # Utils (upload, compression)
β”‚   β”‚   └── styles/           # CSS styles (blocks, AI assistant)
β”‚   β”œβ”€β”€ package.json
β”‚   β”œβ”€β”€ tsconfig.json
β”‚   └── webpack.config.js
└── example_project/           # Usage example
    └── blog/                 # Demo blog application

Technologies

  • Backend: Django 4.2+
  • Frontend: TypeScript, Webpack
  • Architecture: Block-based editor with inline styles
  • Styles: No external CSS required (inline styles)

License

MIT

About

Visual WYSIWYG editor for Django with image upload, text formatting, code blocks, and HTML compression

Resources

License

Stars

Watchers

Forks

Packages

No packages published