django-streamfield


Namedjango-streamfield JSON
Version 2.2.2 PyPI version JSON
download
home_pagehttps://github.com/raagin/django-streamfield
SummaryStreamField for native Django Admin or with Grappelli
upload_time2024-08-27 15:33:47
maintainerNone
docs_urlNone
authorYury Lapshinov
requires_python>=3.7
licenseNone
keywords
VCS
bugtrack_url
requirements No requirements were recorded.
Travis-CI No Travis.
coveralls test coverage No coveralls.
            # Django StreamField

This is a simple realisation of StreamField's idea of Wagtail CMS for plain Django admin or with Grappelli skin.
Stable version: 2.2.2
Django <= 5.0

[Major changes (1.4.5 > 2)](changes2.0.md)

## Highlights
You can build your page with different kind of blocks. 
Sort them and sort the lists inside the blocks.

**The blocks here are regular instances of Django models.** For editing content inside the blocks, it use native popup mechanism in Django admin interface.
This allow you to use other field's widgets inside the blocks as is.
For example, if you want to use in your blocks FileBrowseField
from django-filebrowser, it will perfectly working 
without any additional settings.

Module also working with [Grappelli Interface](https://github.com/sehmaschine/django-grappelli) (Optional)

![django-streamfield demo screenshot](https://raagin.ru/media/uploads/django-streamfield-2.jpg)

## Contents

- [Installation](#installation)
- [How to use](#how-to-use)
- [Admin](#admin)
  - [Custom admin class for block's models](#custom-admin-class-for-blocks-models)
  - [Custom templates for render block models in admin](#custom-templates-for-render-block-models-in-admin)
  - [Override how to render block's fields in admin](#override-how-to-render-blocks-fields-in-admin)
  - [Override list of blocks for your StreamField in admin.py](#override-list-of-blocks-for-your-streamfield-in-adminpy)
- [Block options](#block-options)
- [Special cases](#special-cases)
  - [Complex Blocks](#complex-blocks)    
  - [Blocks without data in database. Only templates](#blocks-without-data-in-database-only-templates)
  - [Add extra context to blocks](#add-extra-context-to-blocks)
  - [Get field data as list](#get-field-data-as-list)
  - [Cache for reduce the number of database requests](#cache-for-reduce-the-number-of-database-requests)
  - [Create a copy](#create-a-copy)
  - [Add block programarly](#add-block-programarly)
  - [Set size of block's popup window](#set-size-of-blocks-popup-window)
- [Settings](#settings)
- [Migrations](#migrations)

## Installation

Requirements: `django>=3.1`

`pip install django-streamfield`

## How to use
- Create streamblocks app with your models
- Add streamfield and streamblocks to INSTALLED_APPS
- Add streamfield.urls
- Create templates for streamblocks
- Add StreamField to your model
- Use it in templates

**1. Create new app called `streamblocks` and put there some models**

...that you want to use as blocks in your StreamField.  
Add them to the list `STREAMBLOCKS_MODELS`.
For example:

```python
# streamblocks/models.py

# one object
class RichText(models.Model):
    text = models.TextField(blank=True, null=True)   
    
    def __str__(self):
        # This text will be added to block title name. 
        # For better navigation when block is collapsed.
        return self.text[:30]

    class Meta:
        # This will use as name of block in admin
        # See also STREAMFIELD_BLOCK_TITLE in settings
        verbose_name="Text"

# list of objects
class ImageWithText(models.Model):
    image = models.ImageField(upload_to="folder/")
    text = models.TextField(null=True, blank=True)
    
    # StreamField option for list of objects
    as_list = True
    
    def __str__(self):
        # This text will be added to block title name.
        # For better navigation when block is collapsed.
        return self.text[:30]

    class Meta:
        verbose_name="Image with text"
        verbose_name_plural="Images with text"

# Register blocks for StreamField as list of models
STREAMBLOCKS_MODELS = [
    RichText,
    ImageWithText
]
```
> Important!: Don't use 'as_list', 'options', 'extra_options' as models field names, because they are used by streamfield.

**2. Add apps to settings.py and make migrations**

Add to INSTALLED_APPS

```python
INSTALLED_APPS = [
    ...
    'streamblocks',
    'streamfield',
    ...
```
Run `python manage.py makemigrations` and `python manage.py migrate`

**3. Add streamfield.urls to main urls.py**
```python
urlpatterns += [
    path('streamfield/', include('streamfield.urls'))
]
```

**4. Create templates for each block model, named as lowercase names of the models:**

1. streamblocks/templates/streamblocks/richtext.html
2. streamblocks/templates/streamblocks/imagewithtext.html

And use `block_content` as context.

> Note: block_content will be single object 
if no 'as_list' property in your model, 
and will be a list of objects if there is.

```html
<!--richtext.html-->
<div class="rich-text-block">
    {{ block_content.text|safe }}
</div>
```
```html
<!--imagewithtext.html-->
<ul class="image-with-text-block">
    {% for block in block_content %}
    <li>
        <img src="{{ block.image.url }}" alt="">
        <p>{{ block.text }}</p>
    </li>
    {% endfor %}
</ul>
```

> Note: You may use also `block_template` option. For specify a block template file.

```python
class RichText(models.Model):
    ...
    block_template = "streamblocks/richtext.html"
    ...
```
> Note: If you need unique string in block template, use `block_model` and `block_unique_id`

*Full list of variables in template context:*  
- `block_model` (lowercase of modelname - "richtext")
- `block_unique_id` (unique string)
- `block_content` (block data from db)
- `as_list` (boolean)
- `options` ([block options](#block-options))

> Note: For unique idetifier inside the lists you may use a combination of `block_unique_id` and `block.id` of subblock.

**5. Add StreamField to your model in your application**

And add the models that you want to use in this stream as model_list
```python
# models.py
from streamfield.fields import StreamField
from streamblocks.models import RichText, ImageWithText

class Page(models.Model):
    stream = StreamField(
        model_list=[ 
            RichText,
            ImageWithText
        ],
        verbose_name="Page blocks"
        )
```
**6. Use it in template**
If you have your `page` in context, 
you can get content by field's cached property page.stream.render
```html
...
<div class="content">
    {{ page.stream.render }}
</div>
...
```

Or, if you need extra context in blocks, you may use template tag:
```html
{% load streamfield_tags %}
...
<div class="content">
  {% stream_render page.stream request=request %}
</div>
...
```
Third way it's to use list. [See bellow](#get-field-data-as-list)


## Admin
### Custom admin class for block's models
Models will automaticaly register in admin.
If you want provide custom admin class, 
first unregister models and register again, using `StreamBlocksAdmin` class.

```python
# streamblocks/admin.py

from django.contrib import admin
from streamfield.admin import StreamBlocksAdmin

from streamblocks.models import RichText

admin.site.unregister(RichText)
@admin.register(RichText)
class RichTextBlockAdmin(StreamBlocksAdmin, admin.ModelAdmin):
    pass
```

### Custom templates for render block models in admin
If you need to customize admin templates for block models wich you are using, you need to put templates named as 
described in section 4 (above). but put it inside "admin" folder.

For example for RichText block it will be:

`streamblocks/templates/streamblocks/admin/richtext.html`

As context use "form" and/or "object" (Not working for abstract blocks):
```html
{{ form.text.value }}
{{ object }}
```

The default admin template is: `streamfield/admin/change_form_render_template.html`  
You can extend it
```html
{% extends "streamfield/admin/change_form_render_template.html" %}
{% block streamblock_form %}
{{ block.super }}
Original object is: {{ object }}
{% endblock streamblock_form %}
```


You may also specify custom template as option:
```python
class RichText(models.Model):
    ...
    custom_admin_template = "streamblocks/admin/richtext.html"
    ...
```

### Override how to render block's fields in admin
Create custom template for field with name as generated by `django.utils.text.camel_case_to_spaces` from field widget name, and put it inside `.../streamblocks/admin/fields/` folder.

For example for TextField widget (Textarea) of RichText block, it will be:
`streamblocks/templates/streamblocks/admin/fields/textarea.html`

And `MyCustomWidget`:
`streamblocks/templates/streamblocks/admin/fields/my_custom_widget.html`

As context use "field":
```html
{{ field.value|default:""|safe }}
```

### Override list of blocks for your StreamField in admin.py
Typicaly you set the blocks in your models as `model_list` attribute of StreamField field.
But if you want to change the blocks, for example depending on the object, you can do it in the admin site
of your model. Suppose you want to use only `RichText` on page with id=1.

```python
# admin.py
from streamfield.fields import StreamFieldWidget
from streamblocks.models import RichText
from .models import Page

@admin.register(Page)
class PageAdmin(models.Admin):

    def get_form(self, request, obj=None, **kwargs):
        form = super().get_form(request, obj, **kwargs)
        if obj and obj.id == 1:
            form.base_fields['stream'].widget = StreamFieldWidget(attrs={
                'model_list': [ RichText ]
                })
        return form
```
Be careful with already existing blocks in db. If you remove them from admin, it produce error.

## Block options
You may use `options` property in your streamblocks models to add some additional options to your block.
This is useful with `as_list` property when you need to add some options to whole block not separatly to each object of this list.

For example:
```python
# streamblocks/models.py

# list of objects as slider
class Slide(models.Model):
    image = models.ImageField(upload_to="folder/")
    text = models.TextField(null=True, blank=True)
    
    # StreamField option for list of objects
    as_list = True
    
    options = {
        'autoplay': {
            'label': 'Autoplay slider',
            'type': 'checkbox',
            'default': False
        },
        'width': {
            'label': 'Slider size',
            'type': 'select',
            'default': 'wide',
            'options': [
                {'value': 'wide', 'name': 'Wide slider'},
                {'value': 'narrow', 'name': 'Narrow slider'},
            ]
        },
        'class_name': {
          'label': 'Class Name',
          'type': 'text',
          'default': ''
        }
    }

    class Meta:
        verbose_name="Slide"
        verbose_name_plural="Slider"
```
In block template you can use this options as `options.autoplay`
In page admin you will see it on the bottom of this block.
> Note: Now only "checkbox", "text" and "select" type is working.
You may apply options for all blocks with `STREAMFIELD_BLOCK_OPTIONS` (See [Settings](#settings))

If you want to add block options to options, which was set in django settings, you may use `extra_options`.
```python
class Slide(models.Model):
    ...
    extra_options = {
        "autoplay": {
            "label": "Autoplay",
            "type": "checkbox",
            "default": False
        }
    }
    ...
```

If you want to switch off options, which set in django settings, for current block. Set `options={}`

## Special cases
### Complex Blocks
You may use StreamField as part of blocks and create with that way complex structure
and use `{{ block_content.<field_name>.render }}`

### Blocks without data in database. Only templates.
You may use it for widgets or separators or for whatever you want...
Just make the block model `abstract`.
```python
class EmptyBlock(models.Model):
    class Meta:
        abstract = True
        verbose_name='Empty space'
```
and use `streamblocks/templates/streamblocks/emptyblock.html` for your content.
For admin `streamblocks/templates/streamblocks/admin/emptyblock.html`
> Note: Don't forget to register a block in STREAMBLOCKS_MODELS

### Add extra context to blocks
Supose, you need to add some data to blocks from global context.
Instead of using render property in template `{{ page.stream.render }}`,
you need to use template tag `stream_render` from `streamfield_tags` with keywords arguments.

For example, if you have in page template `request` and `page` objects and want to use it in blocks:
```html
{% load streamfield_tags %}
...
<div class="content">
  {% stream_render page.stream request=request page=page %}
</div>
...
```

### Get field data as list
If you have special case, you can get data as list.

```python
# views.py
stream_list = page.stream.as_list()
# You will get list of dictionaries 
# print(stream_list)
[{
    'data': {
        'block_model': '.....', 
        'block_unique_id': '....', 
        'block_content': [...], 
        'as_list': True, 
        'options': {}
    }, 
    'template': '....'
    },
    ...
]
```

```html
<!-- template.html -->
{% for b in page.stream.as_list %}
    {% include b.template with block_content=b.data.block_content %}
{% endfor %}
```



### Cache for reduce the number of database requests
There is two ways of caching:
- Simple cache view with django cache 
- Create additional field, for example: 'stream_rendered'
and render to this field html in save method

```python
def save(self, *args, **kwargs):
    self.stream_rendered = self.stream.render
    super().save(*args, **kwargs)
```
...and use this field in your html

### Create a copy
StreamObject have a method 'copy', which create a copies of all the instances that used in this field.   
For example, if you have object 'page' with the field 'stream', and you need a copy of this object. You can do this:

```python
page.pk = None
page.stream = page.stream.copy()
page.save()
```
> Note: If you will not use `page.stream.copy()` instances will be the same as in the original object

### Add block programarly
```python
r = RichText(text='<p>Lorem ipsum</p>')
im1 = ImageWithText.objects.create(image='...')
im2 = ImageWithText.objects.create(image='...')
page.stream.add(r)
page.stream.add([im1, im2])
page.save()
```

### Set size of block's popup window
Add `popup_size` attribute to StreamField
```python
    ...
    stream = StreamField(
        model_list=[...],
        popup_size=(1000, 500) # default value. Width: 1000px, Height: 500px
        )
    ...
```


## Settings
```python
# settings.py
```

### STREAMFIELD_SHOW_ADMIN_HELP_TEXT
If you want to show "Help" link in admin.  
Set: 
```python
STREAMFIELD_SHOW_ADMIN_HELP_TEXT = True
```

### STREAMFIELD_ADMIN_HELP_TEXT
You can setup custom help text in settings
```python
STREAMFIELD_ADMIN_HELP_TEXT = '<p>Text</p>'
```

### STREAMFIELD_DELETE_BLOCKS_FROM_DB
If you want to keep streamblock's instances in db, when you removing it from StreamField. Set: 
```python
STREAMFIELD_DELETE_BLOCKS_FROM_DB = False
```
It was default behavior in previous releases. 
> Note: If you delete entire object which contain StreamField, streamblock's instances will not be deleted. You should care about it by yourself.

### STREAMFIELD_BLOCK_TITLE (> 2.0.1)
The default block name uses the verbose_name from the model. Plus the name for each object is taken from `__str__` method. For "as_list" blocks, from the first block. You can use STREAMFIELD_BLOCK_TITLE to change it to another method or property. If you want disable this, set to False. If some blocks will not have setuped method, they will be ignored.

### STREAMFIELD_BLOCK_OPTIONS

You may use `STREAMFIELD_BLOCK_OPTIONS` in settings.py to add some options to all blocks.

For example:
```python
STREAMFIELD_BLOCK_OPTIONS = {
    "margins": {
        "label": "Margins",
        "type": "checkbox",
        "default": True
    }
}
```
In block template use `{{ options.margins }}`

> Note: Now only "checkbox", "text",  and "select" type is working.

## Migrations
If you add new options to Block with already existed data, you need to migrate options for adding default values to stored json.  
Create empty migration and use `migrate_stream_options` function from `streamfield.base`.  
At the moment this only works with unique streamblocks class names.  

Example:
```python
# migration
from django.db import migrations
from streamfield.base import migrate_stream_options

def migrate_options(apps, schema_editor):
    Page = apps.get_model("main", "Page")
    for page in Page.objects.all():
        page.stream = migrate_stream_options(page.stream)
        page.save()

class Migration(migrations.Migration):

    dependencies = [
        '...'
    ]

    operations = [
        migrations.RunPython(migrate_options),
    ]
```



            

Raw data

            {
    "_id": null,
    "home_page": "https://github.com/raagin/django-streamfield",
    "name": "django-streamfield",
    "maintainer": null,
    "docs_url": null,
    "requires_python": ">=3.7",
    "maintainer_email": null,
    "keywords": null,
    "author": "Yury Lapshinov",
    "author_email": "y.raagin@gmail.com",
    "download_url": "https://files.pythonhosted.org/packages/83/5a/e1c5329cd85e4b97d7577fb09d25c2909579a2804e0dd32dda57b4d4ffd0/django-streamfield-2.2.2.tar.gz",
    "platform": null,
    "description": "# Django StreamField\n\nThis is a simple realisation of StreamField's idea of Wagtail CMS for plain Django admin or with Grappelli skin.\nStable version: 2.2.2\nDjango <= 5.0\n\n[Major changes (1.4.5 > 2)](changes2.0.md)\n\n## Highlights\nYou can build your page with different kind of blocks. \nSort them and sort the lists inside the blocks.\n\n**The blocks here are regular instances of Django models.** For editing content inside the blocks, it use native popup mechanism in Django admin interface.\nThis allow you to use other field's widgets inside the blocks as is.\nFor example, if you want to use in your blocks FileBrowseField\nfrom django-filebrowser, it will perfectly working \nwithout any additional settings.\n\nModule also working with [Grappelli Interface](https://github.com/sehmaschine/django-grappelli) (Optional)\n\n![django-streamfield demo screenshot](https://raagin.ru/media/uploads/django-streamfield-2.jpg)\n\n## Contents\n\n- [Installation](#installation)\n- [How to use](#how-to-use)\n- [Admin](#admin)\n  - [Custom admin class for block's models](#custom-admin-class-for-blocks-models)\n  - [Custom templates for render block models in admin](#custom-templates-for-render-block-models-in-admin)\n  - [Override how to render block's fields in admin](#override-how-to-render-blocks-fields-in-admin)\n  - [Override list of blocks for your StreamField in admin.py](#override-list-of-blocks-for-your-streamfield-in-adminpy)\n- [Block options](#block-options)\n- [Special cases](#special-cases)\n  - [Complex Blocks](#complex-blocks)    \n  - [Blocks without data in database. Only templates](#blocks-without-data-in-database-only-templates)\n  - [Add extra context to blocks](#add-extra-context-to-blocks)\n  - [Get field data as list](#get-field-data-as-list)\n  - [Cache for reduce the number of database requests](#cache-for-reduce-the-number-of-database-requests)\n  - [Create a copy](#create-a-copy)\n  - [Add block programarly](#add-block-programarly)\n  - [Set size of block's popup window](#set-size-of-blocks-popup-window)\n- [Settings](#settings)\n- [Migrations](#migrations)\n\n## Installation\n\nRequirements: `django>=3.1`\n\n`pip install django-streamfield`\n\n## How to use\n- Create streamblocks app with your models\n- Add streamfield and streamblocks to INSTALLED_APPS\n- Add streamfield.urls\n- Create templates for streamblocks\n- Add StreamField to your model\n- Use it in templates\n\n**1. Create new app called `streamblocks` and put there some models**\n\n...that you want to use as blocks in your StreamField.  \nAdd them to the list `STREAMBLOCKS_MODELS`.\nFor example:\n\n```python\n# streamblocks/models.py\n\n# one object\nclass RichText(models.Model):\n    text = models.TextField(blank=True, null=True)   \n    \n    def __str__(self):\n        # This text will be added to block title name. \n        # For better navigation when block is collapsed.\n        return self.text[:30]\n\n    class Meta:\n        # This will use as name of block in admin\n        # See also STREAMFIELD_BLOCK_TITLE in settings\n        verbose_name=\"Text\"\n\n# list of objects\nclass ImageWithText(models.Model):\n    image = models.ImageField(upload_to=\"folder/\")\n    text = models.TextField(null=True, blank=True)\n    \n    # StreamField option for list of objects\n    as_list = True\n    \n    def __str__(self):\n        # This text will be added to block title name.\n        # For better navigation when block is collapsed.\n        return self.text[:30]\n\n    class Meta:\n        verbose_name=\"Image with text\"\n        verbose_name_plural=\"Images with text\"\n\n# Register blocks for StreamField as list of models\nSTREAMBLOCKS_MODELS = [\n    RichText,\n    ImageWithText\n]\n```\n> Important!: Don't use 'as_list', 'options', 'extra_options' as models field names, because they are used by streamfield.\n\n**2. Add apps to settings.py and make migrations**\n\nAdd to INSTALLED_APPS\n\n```python\nINSTALLED_APPS = [\n    ...\n    'streamblocks',\n    'streamfield',\n    ...\n```\nRun `python manage.py makemigrations` and `python manage.py migrate`\n\n**3. Add streamfield.urls to main urls.py**\n```python\nurlpatterns += [\n    path('streamfield/', include('streamfield.urls'))\n]\n```\n\n**4. Create templates for each block model, named as lowercase names of the models:**\n\n1. streamblocks/templates/streamblocks/richtext.html\n2. streamblocks/templates/streamblocks/imagewithtext.html\n\nAnd use `block_content` as context.\n\n> Note: block_content will be single object \nif no 'as_list' property in your model, \nand will be a list of objects if there is.\n\n```html\n<!--richtext.html-->\n<div class=\"rich-text-block\">\n    {{ block_content.text|safe }}\n</div>\n```\n```html\n<!--imagewithtext.html-->\n<ul class=\"image-with-text-block\">\n    {% for block in block_content %}\n    <li>\n        <img src=\"{{ block.image.url }}\" alt=\"\">\n        <p>{{ block.text }}</p>\n    </li>\n    {% endfor %}\n</ul>\n```\n\n> Note: You may use also `block_template` option. For specify a block template file.\n\n```python\nclass RichText(models.Model):\n    ...\n    block_template = \"streamblocks/richtext.html\"\n    ...\n```\n> Note: If you need unique string in block template, use `block_model` and `block_unique_id`\n\n*Full list of variables in template context:*  \n- `block_model` (lowercase of modelname - \"richtext\")\n- `block_unique_id` (unique string)\n- `block_content` (block data from db)\n- `as_list` (boolean)\n- `options` ([block options](#block-options))\n\n> Note: For unique idetifier inside the lists you may use a combination of `block_unique_id` and `block.id` of subblock.\n\n**5. Add StreamField to your model in your application**\n\nAnd add the models that you want to use in this stream as model_list\n```python\n# models.py\nfrom streamfield.fields import StreamField\nfrom streamblocks.models import RichText, ImageWithText\n\nclass Page(models.Model):\n    stream = StreamField(\n        model_list=[ \n            RichText,\n            ImageWithText\n        ],\n        verbose_name=\"Page blocks\"\n        )\n```\n**6. Use it in template**\nIf you have your `page` in context, \nyou can get content by field's cached property page.stream.render\n```html\n...\n<div class=\"content\">\n    {{ page.stream.render }}\n</div>\n...\n```\n\nOr, if you need extra context in blocks, you may use template tag:\n```html\n{% load streamfield_tags %}\n...\n<div class=\"content\">\n  {% stream_render page.stream request=request %}\n</div>\n...\n```\nThird way it's to use list. [See bellow](#get-field-data-as-list)\n\n\n## Admin\n### Custom admin class for block's models\nModels will automaticaly register in admin.\nIf you want provide custom admin class, \nfirst unregister models and register again, using `StreamBlocksAdmin` class.\n\n```python\n# streamblocks/admin.py\n\nfrom django.contrib import admin\nfrom streamfield.admin import StreamBlocksAdmin\n\nfrom streamblocks.models import RichText\n\nadmin.site.unregister(RichText)\n@admin.register(RichText)\nclass RichTextBlockAdmin(StreamBlocksAdmin, admin.ModelAdmin):\n    pass\n```\n\n### Custom templates for render block models in admin\nIf you need to customize admin templates for block models wich you are using, you need to put templates named as \ndescribed in section 4 (above). but put it inside \"admin\" folder.\n\nFor example for RichText block it will be:\n\n`streamblocks/templates/streamblocks/admin/richtext.html`\n\nAs context use \"form\" and/or \"object\" (Not working for abstract blocks):\n```html\n{{ form.text.value }}\n{{ object }}\n```\n\nThe default admin template is: `streamfield/admin/change_form_render_template.html`  \nYou can extend it\n```html\n{% extends \"streamfield/admin/change_form_render_template.html\" %}\n{% block streamblock_form %}\n{{ block.super }}\nOriginal object is: {{ object }}\n{% endblock streamblock_form %}\n```\n\n\nYou may also specify custom template as option:\n```python\nclass RichText(models.Model):\n    ...\n    custom_admin_template = \"streamblocks/admin/richtext.html\"\n    ...\n```\n\n### Override how to render block's fields in admin\nCreate custom template for field with name as generated by `django.utils.text.camel_case_to_spaces` from field widget name, and put it inside `.../streamblocks/admin/fields/` folder.\n\nFor example for TextField widget (Textarea) of RichText block, it will be:\n`streamblocks/templates/streamblocks/admin/fields/textarea.html`\n\nAnd `MyCustomWidget`:\n`streamblocks/templates/streamblocks/admin/fields/my_custom_widget.html`\n\nAs context use \"field\":\n```html\n{{ field.value|default:\"\"|safe }}\n```\n\n### Override list of blocks for your StreamField in admin.py\nTypicaly you set the blocks in your models as `model_list` attribute of StreamField field.\nBut if you want to change the blocks, for example depending on the object, you can do it in the admin site\nof your model. Suppose you want to use only `RichText` on page with id=1.\n\n```python\n# admin.py\nfrom streamfield.fields import StreamFieldWidget\nfrom streamblocks.models import RichText\nfrom .models import Page\n\n@admin.register(Page)\nclass PageAdmin(models.Admin):\n\n    def get_form(self, request, obj=None, **kwargs):\n        form = super().get_form(request, obj, **kwargs)\n        if obj and obj.id == 1:\n            form.base_fields['stream'].widget = StreamFieldWidget(attrs={\n                'model_list': [ RichText ]\n                })\n        return form\n```\nBe careful with already existing blocks in db. If you remove them from admin, it produce error.\n\n## Block options\nYou may use `options` property in your streamblocks models to add some additional options to your block.\nThis is useful with `as_list` property when you need to add some options to whole block not separatly to each object of this list.\n\nFor example:\n```python\n# streamblocks/models.py\n\n# list of objects as slider\nclass Slide(models.Model):\n    image = models.ImageField(upload_to=\"folder/\")\n    text = models.TextField(null=True, blank=True)\n    \n    # StreamField option for list of objects\n    as_list = True\n    \n    options = {\n        'autoplay': {\n            'label': 'Autoplay slider',\n            'type': 'checkbox',\n            'default': False\n        },\n        'width': {\n            'label': 'Slider size',\n            'type': 'select',\n            'default': 'wide',\n            'options': [\n                {'value': 'wide', 'name': 'Wide slider'},\n                {'value': 'narrow', 'name': 'Narrow slider'},\n            ]\n        },\n        'class_name': {\n          'label': 'Class Name',\n          'type': 'text',\n          'default': ''\n        }\n    }\n\n    class Meta:\n        verbose_name=\"Slide\"\n        verbose_name_plural=\"Slider\"\n```\nIn block template you can use this options as `options.autoplay`\nIn page admin you will see it on the bottom of this block.\n> Note: Now only \"checkbox\", \"text\" and \"select\" type is working.\nYou may apply options for all blocks with `STREAMFIELD_BLOCK_OPTIONS` (See [Settings](#settings))\n\nIf you want to add block options to options, which was set in django settings, you may use `extra_options`.\n```python\nclass Slide(models.Model):\n    ...\n    extra_options = {\n        \"autoplay\": {\n            \"label\": \"Autoplay\",\n            \"type\": \"checkbox\",\n            \"default\": False\n        }\n    }\n    ...\n```\n\nIf you want to switch off options, which set in django settings, for current block. Set `options={}`\n\n## Special cases\n### Complex Blocks\nYou may use StreamField as part of blocks and create with that way complex structure\nand use `{{ block_content.<field_name>.render }}`\n\n### Blocks without data in database. Only templates.\nYou may use it for widgets or separators or for whatever you want...\nJust make the block model `abstract`.\n```python\nclass EmptyBlock(models.Model):\n    class Meta:\n        abstract = True\n        verbose_name='Empty space'\n```\nand use `streamblocks/templates/streamblocks/emptyblock.html` for your content.\nFor admin `streamblocks/templates/streamblocks/admin/emptyblock.html`\n> Note: Don't forget to register a block in STREAMBLOCKS_MODELS\n\n### Add extra context to blocks\nSupose, you need to add some data to blocks from global context.\nInstead of using render property in template `{{ page.stream.render }}`,\nyou need to use template tag `stream_render` from `streamfield_tags` with keywords arguments.\n\nFor example, if you have in page template `request` and `page` objects and want to use it in blocks:\n```html\n{% load streamfield_tags %}\n...\n<div class=\"content\">\n  {% stream_render page.stream request=request page=page %}\n</div>\n...\n```\n\n### Get field data as list\nIf you have special case, you can get data as list.\n\n```python\n# views.py\nstream_list = page.stream.as_list()\n# You will get list of dictionaries \n# print(stream_list)\n[{\n    'data': {\n        'block_model': '.....', \n        'block_unique_id': '....', \n        'block_content': [...], \n        'as_list': True, \n        'options': {}\n    }, \n    'template': '....'\n    },\n    ...\n]\n```\n\n```html\n<!-- template.html -->\n{% for b in page.stream.as_list %}\n    {% include b.template with block_content=b.data.block_content %}\n{% endfor %}\n```\n\n\n\n### Cache for reduce the number of database requests\nThere is two ways of caching:\n- Simple cache view with django cache \n- Create additional field, for example: 'stream_rendered'\nand render to this field html in save method\n\n```python\ndef save(self, *args, **kwargs):\n    self.stream_rendered = self.stream.render\n    super().save(*args, **kwargs)\n```\n...and use this field in your html\n\n### Create a copy\nStreamObject have a method 'copy', which create a copies of all the instances that used in this field.   \nFor example, if you have object 'page' with the field 'stream', and you need a copy of this object. You can do this:\n\n```python\npage.pk = None\npage.stream = page.stream.copy()\npage.save()\n```\n> Note: If you will not use `page.stream.copy()` instances will be the same as in the original object\n\n### Add block programarly\n```python\nr = RichText(text='<p>Lorem ipsum</p>')\nim1 = ImageWithText.objects.create(image='...')\nim2 = ImageWithText.objects.create(image='...')\npage.stream.add(r)\npage.stream.add([im1, im2])\npage.save()\n```\n\n### Set size of block's popup window\nAdd `popup_size` attribute to StreamField\n```python\n    ...\n    stream = StreamField(\n        model_list=[...],\n        popup_size=(1000, 500) # default value. Width: 1000px, Height: 500px\n        )\n    ...\n```\n\n\n## Settings\n```python\n# settings.py\n```\n\n### STREAMFIELD_SHOW_ADMIN_HELP_TEXT\nIf you want to show \"Help\" link in admin.  \nSet: \n```python\nSTREAMFIELD_SHOW_ADMIN_HELP_TEXT = True\n```\n\n### STREAMFIELD_ADMIN_HELP_TEXT\nYou can setup custom help text in settings\n```python\nSTREAMFIELD_ADMIN_HELP_TEXT = '<p>Text</p>'\n```\n\n### STREAMFIELD_DELETE_BLOCKS_FROM_DB\nIf you want to keep streamblock's instances in db, when you removing it from StreamField. Set: \n```python\nSTREAMFIELD_DELETE_BLOCKS_FROM_DB = False\n```\nIt was default behavior in previous releases. \n> Note: If you delete entire object which contain StreamField, streamblock's instances will not be deleted. You should care about it by yourself.\n\n### STREAMFIELD_BLOCK_TITLE (> 2.0.1)\nThe default block name uses the verbose_name from the model. Plus the name for each object is taken from `__str__` method. For \"as_list\" blocks, from the first block. You can use STREAMFIELD_BLOCK_TITLE to change it to another method or property. If you want disable this, set to False. If some blocks will not have setuped method, they will be ignored.\n\n### STREAMFIELD_BLOCK_OPTIONS\n\nYou may use `STREAMFIELD_BLOCK_OPTIONS` in settings.py to add some options to all blocks.\n\nFor example:\n```python\nSTREAMFIELD_BLOCK_OPTIONS = {\n    \"margins\": {\n        \"label\": \"Margins\",\n        \"type\": \"checkbox\",\n        \"default\": True\n    }\n}\n```\nIn block template use `{{ options.margins }}`\n\n> Note: Now only \"checkbox\", \"text\",  and \"select\" type is working.\n\n## Migrations\nIf you add new options to Block with already existed data, you need to migrate options for adding default values to stored json.  \nCreate empty migration and use `migrate_stream_options` function from `streamfield.base`.  \nAt the moment this only works with unique streamblocks class names.  \n\nExample:\n```python\n# migration\nfrom django.db import migrations\nfrom streamfield.base import migrate_stream_options\n\ndef migrate_options(apps, schema_editor):\n    Page = apps.get_model(\"main\", \"Page\")\n    for page in Page.objects.all():\n        page.stream = migrate_stream_options(page.stream)\n        page.save()\n\nclass Migration(migrations.Migration):\n\n    dependencies = [\n        '...'\n    ]\n\n    operations = [\n        migrations.RunPython(migrate_options),\n    ]\n```\n\n\n",
    "bugtrack_url": null,
    "license": null,
    "summary": "StreamField for native Django Admin or with Grappelli",
    "version": "2.2.2",
    "project_urls": {
        "Homepage": "https://github.com/raagin/django-streamfield"
    },
    "split_keywords": [],
    "urls": [
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "b41011044eeb04c9083c541dd99ed3187d00fc0323d337fbd7e5c08ca618e75e",
                "md5": "e1b15ad2f51d473ec3780c577f59b267",
                "sha256": "1b6814597ead90766c34cfbec8671864073f529f59e0395b3ea94173f46a374c"
            },
            "downloads": -1,
            "filename": "django_streamfield-2.2.2-py3-none-any.whl",
            "has_sig": false,
            "md5_digest": "e1b15ad2f51d473ec3780c577f59b267",
            "packagetype": "bdist_wheel",
            "python_version": "py3",
            "requires_python": ">=3.7",
            "size": 139516,
            "upload_time": "2024-08-27T15:33:45",
            "upload_time_iso_8601": "2024-08-27T15:33:45.848175Z",
            "url": "https://files.pythonhosted.org/packages/b4/10/11044eeb04c9083c541dd99ed3187d00fc0323d337fbd7e5c08ca618e75e/django_streamfield-2.2.2-py3-none-any.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "835ae1c5329cd85e4b97d7577fb09d25c2909579a2804e0dd32dda57b4d4ffd0",
                "md5": "739f18e70c71b96d625c2a3195b91521",
                "sha256": "0e106f4fddf36d6c0548233ae4221087cc5c3e97516c90c20aefb59220b13d7d"
            },
            "downloads": -1,
            "filename": "django-streamfield-2.2.2.tar.gz",
            "has_sig": false,
            "md5_digest": "739f18e70c71b96d625c2a3195b91521",
            "packagetype": "sdist",
            "python_version": "source",
            "requires_python": ">=3.7",
            "size": 130000,
            "upload_time": "2024-08-27T15:33:47",
            "upload_time_iso_8601": "2024-08-27T15:33:47.331558Z",
            "url": "https://files.pythonhosted.org/packages/83/5a/e1c5329cd85e4b97d7577fb09d25c2909579a2804e0dd32dda57b4d4ffd0/django-streamfield-2.2.2.tar.gz",
            "yanked": false,
            "yanked_reason": null
        }
    ],
    "upload_time": "2024-08-27 15:33:47",
    "github": true,
    "gitlab": false,
    "bitbucket": false,
    "codeberg": false,
    "github_user": "raagin",
    "github_project": "django-streamfield",
    "travis_ci": false,
    "coveralls": false,
    "github_actions": false,
    "lcname": "django-streamfield"
}
        
Elapsed time: 0.51301s