Skip to content
Snippets Groups Projects

Compare revisions

Changes are shown as if the source revision was being merged into the target revision. Learn more about comparing revisions.

Source

Select target project
No results found

Target

Select target project
  • djangoldp-packages/djangoldp
  • decentral1se/djangoldp
  • femmefaytale/djangoldp
  • jvtrudel/djangoldp
4 results
Show changes
Showing
with 816 additions and 19 deletions
from django.core import management
from django.conf import settings
from django.db.utils import IntegrityError
from django.core.management.base import BaseCommand, CommandError
from django.core.exceptions import ValidationError
class Command(BaseCommand):
help = 'Initialize the DjangoLDP backend'
def add_arguments(self, parser):
"""Define the same arguments as the ones in CLI."""
parser.add_argument('--with-admin', nargs='?', type=str, help='Create an administrator user.')
parser.add_argument('--email', nargs='?', type=str, help='Provide an email for administrator.')
parser.add_argument('--with-dummy-admin', action='store_true', help='Create a default "admin" user with "admin" password.')
def handle(self, *args, **options):
"""Wrapper command around default django initialization commands."""
try:
# migrate data
management.call_command('migrate', interactive=False)
except CommandError as e:
self.stdout.write(self.style.ERROR(f'Data migration failed: {e}'))
if options['with_dummy_admin']:
try:
# create a default super user
from django.contrib.auth import get_user_model
User = get_user_model()
User.objects.create_superuser('admin', 'admin@example.org', 'admin')
except (ValidationError, IntegrityError):
self.stdout.write('User "admin" already exists. Skipping...')
pass
elif options['with_admin']:
try:
# call default createsuperuser command
management.call_command('createsuperuser', '--noinput', '--username', options['with_admin'], '--email', options['email'])
except CommandError as e:
self.stdout.write(self.style.ERROR(f'Superuser {e}'))
pass
#try:
# # creatersakey
# management.call_command('creatersakey', interactive=False)
#except CommandError as e:
# self.stdout.write(self.style.ERROR(f'RSA key creation failed: {e}'))
import argparse
from django.core.management.base import BaseCommand
from django.conf import settings
from djangoldp.models import LDPSource
def isstring(target):
if isinstance(target, str):
return target
return False
def list_models():
# Improve me using apps.get_models()
return {
"circles": "/circles/",
"circlesjoinable": "/circles/joinable/",
"communities": "/communities/",
"opencommunities": "/open-communities/",
"communitiesaddresses": "/community-addresses/",
"dashboards": "/dashboards/",
"events": "/events/",
"eventsfuture": "/events/future/",
"eventspast": "/events/past/",
"typeevents": "/typeevents/",
"resources": "/resources/",
"keywords": "/keywords/",
"types": "/types/",
"joboffers": "/job-offers/current/",
"polls": "/polls/",
"projects": "/projects/",
"projectsjoinable": "/projects/joinable/",
"skills": "/skills/",
"users": "/users/"
}
class Command(BaseCommand):
help = 'Add another server to this one sources'
def add_arguments(self, parser):
parser.add_argument(
"--target",
action="store",
default=False,
type=isstring,
help="Targeted server, format protocol://domain",
)
parser.add_argument(
"--delete",
default=False,
nargs='?',
const=True,
help="Remove targeted source",
)
def handle(self, *args, **options):
target = options["target"]
models = list_models()
if not target:
target = settings.SITE_URL
error_counter = 0
if(options["delete"]):
for attr, value in models.items():
try:
LDPSource.objects.filter(urlid=target+value, federation=attr).delete()
except:
error_counter += 1
if error_counter > 0:
self.stdout.write(self.style.ERROR("Can't remove: "+target))
exit(2)
else:
self.stdout.write(self.style.SUCCESS("Successfully removed sources for "+target))
exit(0)
else:
for attr, value in models.items():
try:
LDPSource.objects.create(urlid=target+value, federation=attr)
except:
error_counter += 1
if error_counter > 0:
self.stdout.write(self.style.WARNING("Source aleady exists for "+target+"\nIgnored "+str(error_counter)+"/"+str(len(models))))
if error_counter == len(models):
exit(1)
exit(0)
else:
self.stdout.write(self.style.SUCCESS("Successfully created sources for "+target))
exit(0)
import os
import json
import requests
from django.core.management.base import BaseCommand
from django.conf import settings
from django.apps import apps
from urllib.parse import urlparse, urljoin
class StaticContentGenerator:
def __init__(self, stdout, style):
self.stdout = stdout
self.style = style
self.base_uri = getattr(settings, 'BASE_URL', '')
self.max_depth = getattr(settings, 'MAX_RECURSION_DEPTH', 5)
self.request_timeout = getattr(settings, 'SSR_REQUEST_TIMEOUT', 10)
self.regenerated_urls = set()
self.failed_urls = set()
self.output_dir = 'ssr'
self.output_dir_filtered = 'ssr_filtered'
def generate_content(self):
self._create_output_directory()
for model in self._get_static_models():
self._process_model(model)
def _create_output_directory(self):
os.makedirs(self.output_dir, exist_ok=True)
os.makedirs(self.output_dir_filtered, exist_ok=True)
def _get_static_models(self):
return [model for model in apps.get_models() if hasattr(model._meta, 'static_version')]
def _process_model(self, model):
self.stdout.write(f"Generating content for model: {model}")
url = self._build_url(model)
if url not in self.regenerated_urls and url not in self.failed_urls:
self._fetch_and_save_content(model, url, self.output_dir)
else:
self.stdout.write(self.style.WARNING(f'Skipping {url} as it has already been fetched'))
if hasattr(model._meta, 'static_params'):
url = self._build_url(model, True)
if url not in self.regenerated_urls and url not in self.failed_urls:
self._fetch_and_save_content(model, url, self.output_dir_filtered)
else:
self.stdout.write(self.style.WARNING(f'Skipping {url} as it has already been fetched'))
def _build_url(self, model, use_static_params=False):
container_path = model.get_container_path()
url = urljoin(self.base_uri, container_path)
if hasattr(model._meta, 'static_params') and use_static_params:
url += '?' + '&'.join(f'{k}={v}' for k, v in model._meta.static_params.items())
return url
def _fetch_and_save_content(self, model, url, output_dir):
try:
response = requests.get(url, timeout=self.request_timeout)
if response.status_code == 200:
content = self._update_ids_and_fetch_associated(response.text)
self._save_content(model, url, content, output_dir)
else:
self.stdout.write(self.style.ERROR(f'Failed to fetch content from {url}: HTTP {response.status_code}'))
except requests.exceptions.RequestException as e:
self.stdout.write(self.style.ERROR(f'Error fetching content from {url}: {str(e)}'))
def _save_content(self, model, url, content, output_dir):
relative_path = urlparse(url).path.strip('/')
file_path = os.path.join(output_dir, relative_path)
if file_path.endswith('/'):
file_path = file_path[:-1]
if not file_path.endswith('.jsonld'):
file_path += '.jsonld'
os.makedirs(os.path.dirname(file_path), exist_ok=True)
try:
with open(file_path, 'w', encoding='utf-8') as f:
f.write(content)
self.stdout.write(self.style.SUCCESS(f'Successfully saved content for {model._meta.model_name} from {url} to {file_path}'))
except IOError as e:
self.stdout.write(self.style.ERROR(f'Error saving content for {model._meta.model_name}: {str(e)}'))
def _update_ids_and_fetch_associated(self, content, depth=0):
if depth > self.max_depth:
return content
try:
data = json.loads(content)
self._process_data(data, depth)
return json.dumps(data)
except json.JSONDecodeError as e:
self.stdout.write(self.style.ERROR(f'Failed to decode JSON: {e}'))
return content
def _process_data(self, data, depth):
if isinstance(data, dict):
self._process_item(data, depth)
elif isinstance(data, list):
for item in data:
if isinstance(item, dict):
self._process_item(item, depth)
def _process_item(self, item, depth):
if '@id' in item:
self._update_and_fetch_content(item, depth)
for value in item.values():
if isinstance(value, (dict, list)):
self._process_data(value, depth)
def _update_and_fetch_content(self, item, depth):
original_id = item['@id']
parsed_url = urlparse(original_id)
if not parsed_url.netloc:
original_id = urljoin(self.base_uri, original_id)
parsed_url = urlparse(original_id)
path = parsed_url.path
if path.startswith(urlparse(self.base_uri).path):
path = path[len(urlparse(self.base_uri).path):]
new_id = f'/ssr{path}'
item['@id'] = urljoin(self.base_uri, new_id)
self._fetch_and_save_associated_content(original_id, path, depth)
def _rewrite_ids_before_saving(self, data):
if isinstance(data, dict):
if '@id' in data:
original_id = data['@id']
parsed_url = urlparse(data['@id'])
if not parsed_url.netloc:
content_id = urljoin(self.base_uri, original_id)
parsed_url = urlparse(content_id)
if 'ssr/' not in data['@id']:
path = parsed_url.path
if path.startswith(urlparse(self.base_uri).path):
path = path[len(urlparse(self.base_uri).path):]
new_id = f'/ssr{path}'
data['@id'] = urljoin(self.base_uri, new_id)
for value in data.values():
if isinstance(value, (dict, list)):
self._rewrite_ids_before_saving(value)
elif isinstance(data, list):
for item in data:
self._rewrite_ids_before_saving(item)
return data
def _fetch_and_save_associated_content(self, url, new_path, depth):
if url in self.regenerated_urls:
self.stdout.write(self.style.WARNING(f'Skipping {url} as it has already been fetched'))
return
if url in self.failed_urls:
self.stdout.write(self.style.WARNING(f'Skipping {url} as it has already been tried and failed'))
return
file_path = os.path.join(self.output_dir, new_path.strip('/'))
if file_path.endswith('/'):
file_path = file_path[:-1]
if not file_path.endswith('.jsonld'):
file_path += '.jsonld'
os.makedirs(os.path.dirname(file_path), exist_ok=True)
try:
response = requests.get(url, timeout=self.request_timeout)
if response.status_code == 200:
updated_content = json.loads(self._update_ids_and_fetch_associated(response.text, depth + 1))
updated_content = self._rewrite_ids_before_saving(updated_content)
with open(file_path, 'w', encoding='utf-8') as f:
f.write(json.dumps(updated_content))
self.regenerated_urls.add(url)
self.stdout.write(self.style.SUCCESS(f'Successfully fetched and saved associated content from {url} to {file_path}'))
else:
self.failed_urls.add(url)
self.stdout.write(self.style.ERROR(f'Failed to fetch associated content from {url}: HTTP {response.status_code}'))
except requests.exceptions.RequestException as e:
self.stdout.write(self.style.ERROR(f'Error fetching associated content from {url}: {str(e)}'))
except IOError as e:
self.stdout.write(self.style.ERROR(f'Error saving associated content from {url}: {str(e)}'))
class Command(BaseCommand):
help = 'Generate static content for models having the static_version meta attribute set to 1/true'
def handle(self, *args, **options):
generator = StaticContentGenerator(self.stdout, self.style)
generator.generate_content()
\ No newline at end of file
from django.conf import settings
from django.utils.http import url_has_allowed_host_and_scheme
from django.shortcuts import redirect
from djangoldp.models import Model
class AllowOnlySiteUrl:
def __init__(self, get_response):
self.get_response = get_response
def __call__(self, request):
response = self.get_response(request)
if(url_has_allowed_host_and_scheme(request.get_raw_uri(), allowed_hosts=settings.SITE_URL) or response.status_code != 200):
return response
else:
return redirect('{}{}'.format(settings.SITE_URL, request.path), permanent=True)
class AllowRequestedCORSMiddleware:
'''A CORS Middleware which allows the domains requested by the request'''
def __init__(self, get_response):
self.get_response = get_response
def __call__(self, request):
response = self.get_response(request)
response["Access-Control-Allow-Origin"] = request.headers.get('origin')
response["Access-Control-Allow-Methods"] = "GET,POST,PUT,PATCH,DELETE,OPTIONS,HEAD"
response["Access-Control-Allow-Headers"] = \
getattr(settings, 'OIDC_ACCESS_CONTROL_ALLOW_HEADERS',
"authorization, Content-Type, if-match, accept, DPoP, cache-control, prefer")
response["Access-Control-Expose-Headers"] = "Location, User"
response["Access-Control-Allow-Credentials"] = 'true'
return response
\ No newline at end of file
# -*- coding: utf-8 -*-
# Generated by Django 1.11 on 2018-11-08 15:58
# Generated by Django 1.11.20 on 2019-08-28 12:01
from __future__ import unicode_literals
from django.conf import settings
from django.db import migrations, models
import django.db.models.deletion
class Migration(migrations.Migration):
......@@ -12,25 +10,9 @@ class Migration(migrations.Migration):
initial = True
dependencies = [
migrations.swappable_dependency(settings.AUTH_USER_MODEL),
]
operations = [
migrations.CreateModel(
name='LDNotification',
fields=[
('id', models.AutoField(auto_created=True, primary_key=True, serialize=False, verbose_name='ID')),
('author', models.URLField()),
('object', models.URLField()),
('type', models.CharField(max_length=255)),
('summary', models.TextField()),
('date', models.DateTimeField(auto_now_add=True)),
('user', models.ForeignKey(on_delete=django.db.models.deletion.CASCADE, to=settings.AUTH_USER_MODEL)),
],
options={
'permissions': (('view_todo', 'Read'), ('control_todo', 'Control')),
},
),
migrations.CreateModel(
name='LDPSource',
fields=[
......
# -*- coding: utf-8 -*-
# Generated by Django 1.11.20 on 2019-06-03 09:45
# Generated by Django 1.11 on 2019-09-06 06:42
from __future__ import unicode_literals
from django.db import migrations
import djangoldp.fields
class Migration(migrations.Migration):
......@@ -13,10 +14,12 @@ class Migration(migrations.Migration):
operations = [
migrations.RemoveField(
model_name='ldnotification',
name='user',
model_name='ldpsource',
name='container',
),
migrations.DeleteModel(
name='LDNotification',
migrations.AddField(
model_name='ldpsource',
name='urlid',
field=djangoldp.fields.LDPUrlField(null=True, unique=True),
),
]
# -*- coding: utf-8 -*-
# Generated by Django 1.11 on 2019-09-11 09:31
from __future__ import unicode_literals
from django.db import migrations
import djangoldp.fields
class Migration(migrations.Migration):
dependencies = [
('djangoldp', '0002_auto_20190906_0642'),
]
operations = [
migrations.AlterField(
model_name='ldpsource',
name='urlid',
field=djangoldp.fields.LDPUrlField(blank=True, null=True, unique=True),
),
]
# -*- coding: utf-8 -*-
# Generated by Django 1.11 on 2020-02-21 11:18
from __future__ import unicode_literals
from django.db import migrations
class Migration(migrations.Migration):
dependencies = [
('djangoldp', '0003_auto_20190911_0931'),
]
operations = [
migrations.AlterModelOptions(
name='ldpsource',
options={'ordering': ('federation',)},
),
]
# -*- coding: utf-8 -*-
# Generated by Django 1.11 on 2020-02-21 11:27
from __future__ import unicode_literals
from django.db import migrations
class Migration(migrations.Migration):
dependencies = [
('djangoldp', '0004_auto_20200221_1118'),
]
operations = [
migrations.AlterModelOptions(
name='ldpsource',
options={'default_permissions': ('add', 'change', 'delete', 'view', 'control'), 'ordering': ('federation',)},
),
]
# -*- coding: utf-8 -*-
# Generated by Django 1.11 on 2020-04-21 19:43
from __future__ import unicode_literals
from django.db import migrations, models
import djangoldp.fields
class Migration(migrations.Migration):
dependencies = [
('djangoldp', '0005_auto_20200221_1127'),
]
operations = [
migrations.CreateModel(
name='Activity',
fields=[
('id', models.AutoField(auto_created=True, primary_key=True, serialize=False, verbose_name='ID')),
('urlid', djangoldp.fields.LDPUrlField(blank=True, null=True, unique=True)),
('aid', djangoldp.fields.LDPUrlField(null=True)),
('local_id', djangoldp.fields.LDPUrlField()),
('payload', models.BinaryField()),
('created_at', models.DateField(auto_now_add=True)),
],
options={
'abstract': False,
'default_permissions': ('add', 'change', 'delete', 'view', 'control'),
},
),
]
# -*- coding: utf-8 -*-
# Generated by Django 1.11 on 2020-04-29 13:46
from __future__ import unicode_literals
from django.db import migrations, models
class Migration(migrations.Migration):
dependencies = [
('djangoldp', '0006_activity'),
]
operations = [
migrations.AddField(
model_name='activity',
name='allow_create_backlink',
field=models.BooleanField(default=True, help_text='set to False to disable backlink creation after Model save'),
),
migrations.AddField(
model_name='ldpsource',
name='allow_create_backlink',
field=models.BooleanField(default=True, help_text='set to False to disable backlink creation after Model save'),
),
]
# -*- coding: utf-8 -*-
# Generated by Django 1.11 on 2020-05-01 12:07
from __future__ import unicode_literals
from django.db import migrations, models
class Migration(migrations.Migration):
dependencies = [
('djangoldp', '0007_auto_20200429_1346'),
]
operations = [
migrations.AddField(
model_name='activity',
name='backlink_created',
field=models.BooleanField(default=False, help_text='set automatically to indicate the Model is a backlink'),
),
migrations.AddField(
model_name='ldpsource',
name='backlink_created',
field=models.BooleanField(default=False, help_text='set automatically to indicate the Model is a backlink'),
),
]
# -*- coding: utf-8 -*-
# Generated by Django 1.11 on 2020-05-05 17:33
from __future__ import unicode_literals
from django.db import migrations
class Migration(migrations.Migration):
dependencies = [
('djangoldp', '0008_auto_20200501_1207'),
]
operations = [
migrations.RenameField(
model_name='activity',
old_name='backlink_created',
new_name='is_backlink',
),
migrations.RenameField(
model_name='ldpsource',
old_name='backlink_created',
new_name='is_backlink',
),
]
# -*- coding: utf-8 -*-
# Generated by Django 1.11 on 2020-05-19 10:37
from __future__ import unicode_literals
from django.db import migrations, models
import djangoldp.fields
class Migration(migrations.Migration):
dependencies = [
('djangoldp', '0009_auto_20200505_1733'),
]
operations = [
migrations.CreateModel(
name='Follower',
fields=[
('id', models.AutoField(auto_created=True, primary_key=True, serialize=False, verbose_name='ID')),
('urlid', djangoldp.fields.LDPUrlField(blank=True, null=True, unique=True)),
('is_backlink', models.BooleanField(default=False, help_text='set automatically to indicate the Model is a backlink')),
('allow_create_backlink', models.BooleanField(default=True, help_text='set to False to disable backlink creation after Model save')),
('object', models.URLField()),
('inbox', models.URLField()),
],
options={
'abstract': False,
'default_permissions': ('add', 'change', 'delete', 'view', 'control'),
},
),
]
# -*- coding: utf-8 -*-
# Generated by Django 1.11.29 on 2020-06-10 13:23
from __future__ import unicode_literals
from django.db import migrations, models
class Migration(migrations.Migration):
dependencies = [
('djangoldp', '0010_follower'),
]
operations = [
migrations.AlterField(
model_name='activity',
name='is_backlink',
field=models.BooleanField(default=False, help_text='(DEPRECIATED) set automatically to indicate the Model is a backlink'),
),
migrations.AlterField(
model_name='follower',
name='is_backlink',
field=models.BooleanField(default=False, help_text='(DEPRECIATED) set automatically to indicate the Model is a backlink'),
),
migrations.AlterField(
model_name='ldpsource',
name='is_backlink',
field=models.BooleanField(default=False, help_text='(DEPRECIATED) set automatically to indicate the Model is a backlink'),
),
]
# -*- coding: utf-8 -*-
# Generated by Django 1.11.29 on 2020-06-17 18:17
from __future__ import unicode_literals
from django.db import migrations, models
class Migration(migrations.Migration):
dependencies = [
('djangoldp', '0011_auto_20200610_1323'),
]
operations = [
migrations.AlterField(
model_name='activity',
name='is_backlink',
field=models.BooleanField(default=False, help_text='set automatically to indicate the Model is a backlink'),
),
migrations.AlterField(
model_name='follower',
name='is_backlink',
field=models.BooleanField(default=False, help_text='set automatically to indicate the Model is a backlink'),
),
migrations.AlterField(
model_name='ldpsource',
name='is_backlink',
field=models.BooleanField(default=False, help_text='set automatically to indicate the Model is a backlink'),
),
]
# -*- coding: utf-8 -*-
# Generated by Django 1.11.29 on 2020-06-24 17:09
from __future__ import unicode_literals
from django.db import migrations, models
class Migration(migrations.Migration):
dependencies = [
('djangoldp', '0012_auto_20200617_1817'),
]
operations = [
migrations.AddField(
model_name='follower',
name='follower',
field=models.URLField(blank=True, help_text='(optional) the resource/actor following the object'),
),
migrations.AlterField(
model_name='follower',
name='inbox',
field=models.URLField(help_text='the inbox recipient of updates'),
),
migrations.AlterField(
model_name='follower',
name='object',
field=models.URLField(help_text='the object being followed'),
),
]
# Generated by Django 2.2 on 2020-09-09 22:06
from django.db import migrations, models
import django.db.models.deletion
import djangoldp.fields
class Migration(migrations.Migration):
dependencies = [
('djangoldp', '0013_auto_20200624_1709'),
]
operations = [
migrations.CreateModel(
name='ScheduledActivity',
fields=[
('activity_ptr', models.OneToOneField(auto_created=True, on_delete=django.db.models.deletion.CASCADE, parent_link=True, primary_key=True, serialize=False, to='djangoldp.Activity')),
('failed_attempts', models.PositiveIntegerField(default=0, help_text='a log of how many failed retries have been made sending the activity')),
],
options={
'abstract': False,
'default_permissions': ('add', 'change', 'delete', 'view', 'control'),
},
bases=('djangoldp.activity',),
),
migrations.AlterField(
model_name='activity',
name='created_at',
field=models.DateTimeField(auto_now_add=True),
),
migrations.AlterField(
model_name='activity',
name='local_id',
field=djangoldp.fields.LDPUrlField(help_text='/inbox or /outbox url (local - this server)'),
),
migrations.AlterField(
model_name='activity',
name='payload',
field=models.BinaryField(),
),
migrations.AddField(
model_name='activity',
name='success',
field=models.BooleanField(default=False,
help_text='set to True when an Activity is successfully delivered'),
),
migrations.AddField(
model_name='activity',
name='type',
field=models.CharField(blank=True, help_text='the ActivityStreams type of the Activity', max_length=64,
null=True),
),
migrations.AddField(
model_name='activity',
name='is_finished',
field=models.BooleanField(default=True),
),
migrations.AddField(
model_name='activity',
name='response_code',
field=models.CharField(blank=True, help_text='Response code sent by receiver', max_length=8, null=True),
),
migrations.AddField(
model_name='activity',
name='response_location',
field=djangoldp.fields.LDPUrlField(blank=True, help_text='Location saved activity can be found', null=True),
),
migrations.AddField(
model_name='activity',
name='response_body',
field=models.BinaryField(null=True),
),
migrations.AddField(
model_name='activity',
name='external_id',
field=djangoldp.fields.LDPUrlField(help_text='the /inbox or /outbox url (from the sender or receiver)',
null=True),
),
migrations.RemoveField(
model_name='activity',
name='aid',
),
]
# Generated by Django 2.2.17 on 2021-01-25 18:47
from django.db import migrations
class Migration(migrations.Migration):
dependencies = [
('djangoldp', '0014_auto_20200909_2206'),
]
operations = [
migrations.AlterModelOptions(
name='activity',
options={'default_permissions': ['add', 'change', 'delete', 'view', 'control']},
),
migrations.AlterModelOptions(
name='follower',
options={'default_permissions': ['add', 'change', 'delete', 'view', 'control']},
),
migrations.AlterModelOptions(
name='ldpsource',
options={'default_permissions': ['add', 'change', 'delete', 'view', 'control'], 'ordering': ('federation',)},
),
migrations.AlterModelOptions(
name='scheduledactivity',
options={'default_permissions': ['add', 'change', 'delete', 'view', 'control']},
),
]
# Generated by Django 4.2.3 on 2023-08-31 15:27
from django.db import migrations
class Migration(migrations.Migration):
dependencies = [
('djangoldp', '0015_auto_20210125_1847'),
]
operations = [
migrations.AlterModelOptions(
name='activity',
options={'default_permissions': {'delete', 'change', 'view', 'add', 'control'}},
),
migrations.AlterModelOptions(
name='follower',
options={'default_permissions': {'delete', 'change', 'view', 'add', 'control'}},
),
migrations.AlterModelOptions(
name='ldpsource',
options={'default_permissions': {'delete', 'change', 'view', 'add', 'control'}, 'ordering': ('federation',)},
),
migrations.AlterModelOptions(
name='scheduledactivity',
options={'default_permissions': {'delete', 'change', 'view', 'add', 'control'}},
),
]