django-content-studio 1.0.0b4__py3-none-any.whl → 1.0.0b6__py3-none-any.whl

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.
@@ -1,5 +1,5 @@
1
1
  __title__ = "Django Content Studio"
2
- __version__ = "1.0.0-beta.4"
2
+ __version__ = "1.0.0-beta.6"
3
3
  __author__ = "Leon van der Grient"
4
4
  __license__ = "MIT"
5
5
 
content_studio/admin.py CHANGED
@@ -1,3 +1,4 @@
1
+ import uuid
1
2
  from typing import Type
2
3
 
3
4
  from django.contrib import admin
@@ -6,10 +7,10 @@ from django.db.models import Model
6
7
  from rest_framework.request import HttpRequest
7
8
 
8
9
  from . import widgets, formats
9
- from .form import FormSet, FormSetGroup
10
+ from .form import FormSet, FormSetGroup, Field, Component
10
11
  from .login_backends import LoginBackendManager
11
12
  from .token_backends import TokenBackendManager
12
- from .utils import get_related_field_name
13
+ from .utils import get_related_field_name, flatten
13
14
 
14
15
  register = admin.register
15
16
 
@@ -139,18 +140,13 @@ class ModelAdmin(admin.ModelAdmin):
139
140
  list_description = ""
140
141
 
141
142
  # Configure the main section in the edit-view.
142
- edit_main: list[type[FormSetGroup | FormSet | str]] = []
143
+ edit_main: list[type[FormSetGroup | FormSet | Field | str]] = []
143
144
 
144
145
  # Configure the sidebar in the edit-view.
145
- edit_sidebar: list[type[FormSet | str]] = []
146
+ edit_sidebar: list[type[FormSet | Field | str]] = []
146
147
 
147
148
  icon = None
148
149
 
149
- def save_model(self, request, obj, form, change):
150
- if hasattr(obj, "edited_by"):
151
- obj.edited_by = request.user
152
- super().save_model(request, obj, form, change)
153
-
154
150
  def has_add_permission(self, request):
155
151
  is_singleton = getattr(self.model, "is_singleton", False)
156
152
 
@@ -168,12 +164,25 @@ class ModelAdmin(admin.ModelAdmin):
168
164
 
169
165
  return super().has_delete_permission(request, obj)
170
166
 
171
- def render_change_form(self, request, context, *args, **kwargs):
172
- is_singleton = getattr(self.model, "is_singleton", False)
167
+ def get_component(self, component_id: uuid.UUID):
168
+ """
169
+ Retrieves a component from the edit_main or edit_sidebar attributes by ID.
170
+ :param component_id:
171
+ :return:
172
+ """
173
+ all_fields = getattr(self, "edit_main", []) + getattr(self, "edit_sidebar", [])
174
+
175
+ flat_fields = flatten(
176
+ [f.get_fields() if hasattr(f, "get_fields") else [f] for f in all_fields]
177
+ )
178
+
179
+ components = [c for c in flat_fields if issubclass(c.__class__, Component)]
173
180
 
174
- context["show_save_and_add_another"] = not is_singleton
181
+ for component in components:
182
+ if component.component_id == component_id:
183
+ return component
175
184
 
176
- return super().render_change_form(request, context, *args, **kwargs)
185
+ return None
177
186
 
178
187
 
179
188
  class AdminSerializer:
@@ -1,8 +1,7 @@
1
+ from content_studio.serializers import ContentSerializer
1
2
  from django.contrib.admin.models import LogEntry
2
3
  from rest_framework import serializers
3
4
 
4
- from content_studio.serializers import ContentSerializer
5
-
6
5
 
7
6
  class LogEntrySerializer(ContentSerializer):
8
7
  object_model = serializers.SerializerMethodField()
@@ -31,4 +30,6 @@ class ActivityLogWidget:
31
30
  col_span = 2
32
31
 
33
32
  def get_data(self, request):
34
- return LogEntrySerializer(LogEntry.objects.all()[0:5], many=True).data
33
+ return LogEntrySerializer(
34
+ LogEntry.objects.all().order_by("-action_time")[0:5], many=True
35
+ ).data
content_studio/form.py CHANGED
@@ -1,6 +1,11 @@
1
1
  ###
2
2
  # Form field classes are used for grouping, ordering and laying out fields.
3
3
  ###
4
+ import uuid
5
+ from typing import Type
6
+
7
+ from django.db.models import Model
8
+ from rest_framework.response import Response
4
9
 
5
10
 
6
11
  class Field:
@@ -15,6 +20,7 @@ class Field:
15
20
 
16
21
  def serialize(self):
17
22
  return {
23
+ "type": "field",
18
24
  "name": self.name,
19
25
  "col_span": self.col_span,
20
26
  "label": self.label,
@@ -32,11 +38,18 @@ class FieldLayout:
32
38
 
33
39
  def serialize(self):
34
40
  return {
41
+ "type": "field-layout",
35
42
  "fields": [field.serialize() for field in self.fields],
36
43
  "columns": self.columns,
37
44
  }
38
45
 
46
+ def get_fields(self) -> list[Field]:
47
+ return self.fields
48
+
39
49
  def _normalize_field(self, field):
50
+ """
51
+ Checks if a field is of an allowed type and wraps string fields in a Field object.
52
+ """
40
53
  if isinstance(field, str):
41
54
  return Field(field)
42
55
  elif isinstance(field, Field):
@@ -63,21 +76,41 @@ class FormSet:
63
76
 
64
77
  def serialize(self):
65
78
  return {
79
+ "type": "form-set",
66
80
  "title": self.title,
67
81
  "description": self.description,
68
82
  "fields": [field.serialize() for field in self.fields],
69
83
  }
70
84
 
85
+ def get_fields(self) -> list[Field]:
86
+ """
87
+ Returns a list of all Field and Component objects.
88
+ """
89
+ fields = []
90
+
91
+ for field in self.fields:
92
+ if isinstance(field, FieldLayout):
93
+ fields = fields + field.get_fields()
94
+ else:
95
+ fields.append(field)
96
+
97
+ return fields
98
+
71
99
  def _normalize_field(self, field):
100
+ """
101
+ Checks if a field is of an allowed type and wraps string fields in a Field object.
102
+ """
72
103
  if isinstance(field, str):
73
104
  return Field(field)
74
105
  elif isinstance(field, Field):
75
106
  return field
76
107
  elif isinstance(field, FieldLayout):
77
108
  return field
109
+ elif issubclass(field.__class__, Component):
110
+ return field
78
111
  else:
79
112
  raise ValueError(
80
- f"Invalid field: {field}. Must be a string, Field or FieldLayout."
113
+ f"Invalid field: {field}. Must be a string, Field, FieldLayout or a Component (subclass)."
81
114
  )
82
115
 
83
116
 
@@ -92,6 +125,67 @@ class FormSetGroup:
92
125
 
93
126
  def serialize(self):
94
127
  return {
128
+ "type": "form-set-group",
95
129
  "label": self.label,
96
130
  "formsets": [formset.serialize() for formset in self.formsets],
97
131
  }
132
+
133
+ def get_fields(self) -> list[Field]:
134
+ """
135
+ Returns a list of all Field and Component objects.
136
+ """
137
+ fields = []
138
+
139
+ for form_set in self.formsets:
140
+ fields = fields + form_set.get_fields()
141
+
142
+ return fields
143
+
144
+
145
+ class Component:
146
+ component_id: uuid.UUID
147
+ component_type: str
148
+
149
+ def __init__(self):
150
+ self.component_id = uuid.uuid4()
151
+
152
+ def serialize(self):
153
+ return {
154
+ "type": "component",
155
+ "component_type": str(self.component_type),
156
+ "component_id": str(self.component_id),
157
+ }
158
+
159
+
160
+ class Link(Component):
161
+ component_type = "Link"
162
+ label: str
163
+
164
+ def get_url(self, obj: Type[Model], request):
165
+ raise NotImplementedError
166
+
167
+ def serialize(self):
168
+ return {
169
+ **super().serialize(),
170
+ "label": self.label,
171
+ }
172
+
173
+ def handle_request(self, obj: Type[Model], request):
174
+ return Response(data={"url": self.get_url(obj, request)})
175
+
176
+
177
+ class ButtonLink(Link):
178
+ component_type = "LinkButton"
179
+
180
+ # Add icon before label
181
+ icon = None
182
+
183
+ # Add copy to clipboard button
184
+ copy = False
185
+
186
+ def serialize(self):
187
+ return {
188
+ **super().serialize(),
189
+ "icon": self.icon,
190
+ "copy": self.copy,
191
+ }
@@ -0,0 +1,2 @@
1
+ import{c as R,g as z}from"./index.js";function $(w,d){for(var b=0;b<d.length;b++){const y=d[b];if(typeof y!="string"&&!Array.isArray(y)){for(const h in y)if(h!=="default"&&!(h in w)){const p=Object.getOwnPropertyDescriptor(y,h);p&&Object.defineProperty(w,h,p.get?p:{enumerable:!0,get:()=>y[h]})}}}return Object.freeze(Object.defineProperty(w,Symbol.toStringTag,{value:"Module"}))}var A={exports:{}},U;function X(){return U||(U=1,(function(w,d){var b=typeof globalThis<"u"&&globalThis||typeof self<"u"&&self||typeof R<"u"&&R,y=(function(){function p(){this.fetch=!1,this.DOMException=b.DOMException}return p.prototype=b,new p})();(function(p){(function(u){var a=typeof p<"u"&&p||typeof self<"u"&&self||typeof a<"u"&&a,f={searchParams:"URLSearchParams"in a,iterable:"Symbol"in a&&"iterator"in Symbol,blob:"FileReader"in a&&"Blob"in a&&(function(){try{return new Blob,!0}catch{return!1}})(),formData:"FormData"in a,arrayBuffer:"ArrayBuffer"in a};function S(e){return e&&DataView.prototype.isPrototypeOf(e)}if(f.arrayBuffer)var F=["[object Int8Array]","[object Uint8Array]","[object Uint8ClampedArray]","[object Int16Array]","[object Uint16Array]","[object Int32Array]","[object Uint32Array]","[object Float32Array]","[object Float64Array]"],I=ArrayBuffer.isView||function(e){return e&&F.indexOf(Object.prototype.toString.call(e))>-1};function v(e){if(typeof e!="string"&&(e=String(e)),/[^a-z0-9\-#$%&'*+.^_`|~!]/i.test(e)||e==="")throw new TypeError('Invalid character in header field name: "'+e+'"');return e.toLowerCase()}function E(e){return typeof e!="string"&&(e=String(e)),e}function T(e){var t={next:function(){var r=e.shift();return{done:r===void 0,value:r}}};return f.iterable&&(t[Symbol.iterator]=function(){return t}),t}function s(e){this.map={},e instanceof s?e.forEach(function(t,r){this.append(r,t)},this):Array.isArray(e)?e.forEach(function(t){this.append(t[0],t[1])},this):e&&Object.getOwnPropertyNames(e).forEach(function(t){this.append(t,e[t])},this)}s.prototype.append=function(e,t){e=v(e),t=E(t);var r=this.map[e];this.map[e]=r?r+", "+t:t},s.prototype.delete=function(e){delete this.map[v(e)]},s.prototype.get=function(e){return e=v(e),this.has(e)?this.map[e]:null},s.prototype.has=function(e){return this.map.hasOwnProperty(v(e))},s.prototype.set=function(e,t){this.map[v(e)]=E(t)},s.prototype.forEach=function(e,t){for(var r in this.map)this.map.hasOwnProperty(r)&&e.call(t,this.map[r],r,this)},s.prototype.keys=function(){var e=[];return this.forEach(function(t,r){e.push(r)}),T(e)},s.prototype.values=function(){var e=[];return this.forEach(function(t){e.push(t)}),T(e)},s.prototype.entries=function(){var e=[];return this.forEach(function(t,r){e.push([r,t])}),T(e)},f.iterable&&(s.prototype[Symbol.iterator]=s.prototype.entries);function B(e){if(e.bodyUsed)return Promise.reject(new TypeError("Already read"));e.bodyUsed=!0}function P(e){return new Promise(function(t,r){e.onload=function(){t(e.result)},e.onerror=function(){r(e.error)}})}function M(e){var t=new FileReader,r=P(t);return t.readAsArrayBuffer(e),r}function q(e){var t=new FileReader,r=P(t);return t.readAsText(e),r}function H(e){for(var t=new Uint8Array(e),r=new Array(t.length),n=0;n<t.length;n++)r[n]=String.fromCharCode(t[n]);return r.join("")}function D(e){if(e.slice)return e.slice(0);var t=new Uint8Array(e.byteLength);return t.set(new Uint8Array(e)),t.buffer}function x(){return this.bodyUsed=!1,this._initBody=function(e){this.bodyUsed=this.bodyUsed,this._bodyInit=e,e?typeof e=="string"?this._bodyText=e:f.blob&&Blob.prototype.isPrototypeOf(e)?this._bodyBlob=e:f.formData&&FormData.prototype.isPrototypeOf(e)?this._bodyFormData=e:f.searchParams&&URLSearchParams.prototype.isPrototypeOf(e)?this._bodyText=e.toString():f.arrayBuffer&&f.blob&&S(e)?(this._bodyArrayBuffer=D(e.buffer),this._bodyInit=new Blob([this._bodyArrayBuffer])):f.arrayBuffer&&(ArrayBuffer.prototype.isPrototypeOf(e)||I(e))?this._bodyArrayBuffer=D(e):this._bodyText=e=Object.prototype.toString.call(e):this._bodyText="",this.headers.get("content-type")||(typeof e=="string"?this.headers.set("content-type","text/plain;charset=UTF-8"):this._bodyBlob&&this._bodyBlob.type?this.headers.set("content-type",this._bodyBlob.type):f.searchParams&&URLSearchParams.prototype.isPrototypeOf(e)&&this.headers.set("content-type","application/x-www-form-urlencoded;charset=UTF-8"))},f.blob&&(this.blob=function(){var e=B(this);if(e)return e;if(this._bodyBlob)return Promise.resolve(this._bodyBlob);if(this._bodyArrayBuffer)return Promise.resolve(new Blob([this._bodyArrayBuffer]));if(this._bodyFormData)throw new Error("could not read FormData body as blob");return Promise.resolve(new Blob([this._bodyText]))},this.arrayBuffer=function(){if(this._bodyArrayBuffer){var e=B(this);return e||(ArrayBuffer.isView(this._bodyArrayBuffer)?Promise.resolve(this._bodyArrayBuffer.buffer.slice(this._bodyArrayBuffer.byteOffset,this._bodyArrayBuffer.byteOffset+this._bodyArrayBuffer.byteLength)):Promise.resolve(this._bodyArrayBuffer))}else return this.blob().then(M)}),this.text=function(){var e=B(this);if(e)return e;if(this._bodyBlob)return q(this._bodyBlob);if(this._bodyArrayBuffer)return Promise.resolve(H(this._bodyArrayBuffer));if(this._bodyFormData)throw new Error("could not read FormData body as text");return Promise.resolve(this._bodyText)},f.formData&&(this.formData=function(){return this.text().then(k)}),this.json=function(){return this.text().then(JSON.parse)},this}var L=["DELETE","GET","HEAD","OPTIONS","POST","PUT"];function C(e){var t=e.toUpperCase();return L.indexOf(t)>-1?t:e}function m(e,t){if(!(this instanceof m))throw new TypeError('Please use the "new" operator, this DOM object constructor cannot be called as a function.');t=t||{};var r=t.body;if(e instanceof m){if(e.bodyUsed)throw new TypeError("Already read");this.url=e.url,this.credentials=e.credentials,t.headers||(this.headers=new s(e.headers)),this.method=e.method,this.mode=e.mode,this.signal=e.signal,!r&&e._bodyInit!=null&&(r=e._bodyInit,e.bodyUsed=!0)}else this.url=String(e);if(this.credentials=t.credentials||this.credentials||"same-origin",(t.headers||!this.headers)&&(this.headers=new s(t.headers)),this.method=C(t.method||this.method||"GET"),this.mode=t.mode||this.mode||null,this.signal=t.signal||this.signal,this.referrer=null,(this.method==="GET"||this.method==="HEAD")&&r)throw new TypeError("Body not allowed for GET or HEAD requests");if(this._initBody(r),(this.method==="GET"||this.method==="HEAD")&&(t.cache==="no-store"||t.cache==="no-cache")){var n=/([?&])_=[^&]*/;if(n.test(this.url))this.url=this.url.replace(n,"$1_="+new Date().getTime());else{var i=/\?/;this.url+=(i.test(this.url)?"&":"?")+"_="+new Date().getTime()}}}m.prototype.clone=function(){return new m(this,{body:this._bodyInit})};function k(e){var t=new FormData;return e.trim().split("&").forEach(function(r){if(r){var n=r.split("="),i=n.shift().replace(/\+/g," "),o=n.join("=").replace(/\+/g," ");t.append(decodeURIComponent(i),decodeURIComponent(o))}}),t}function N(e){var t=new s,r=e.replace(/\r?\n[\t ]+/g," ");return r.split("\r").map(function(n){return n.indexOf(`
2
+ `)===0?n.substr(1,n.length):n}).forEach(function(n){var i=n.split(":"),o=i.shift().trim();if(o){var _=i.join(":").trim();t.append(o,_)}}),t}x.call(m.prototype);function c(e,t){if(!(this instanceof c))throw new TypeError('Please use the "new" operator, this DOM object constructor cannot be called as a function.');t||(t={}),this.type="default",this.status=t.status===void 0?200:t.status,this.ok=this.status>=200&&this.status<300,this.statusText=t.statusText===void 0?"":""+t.statusText,this.headers=new s(t.headers),this.url=t.url||"",this._initBody(e)}x.call(c.prototype),c.prototype.clone=function(){return new c(this._bodyInit,{status:this.status,statusText:this.statusText,headers:new s(this.headers),url:this.url})},c.error=function(){var e=new c(null,{status:0,statusText:""});return e.type="error",e};var G=[301,302,303,307,308];c.redirect=function(e,t){if(G.indexOf(t)===-1)throw new RangeError("Invalid status code");return new c(null,{status:t,headers:{location:e}})},u.DOMException=a.DOMException;try{new u.DOMException}catch{u.DOMException=function(t,r){this.message=t,this.name=r;var n=Error(t);this.stack=n.stack},u.DOMException.prototype=Object.create(Error.prototype),u.DOMException.prototype.constructor=u.DOMException}function O(e,t){return new Promise(function(r,n){var i=new m(e,t);if(i.signal&&i.signal.aborted)return n(new u.DOMException("Aborted","AbortError"));var o=new XMLHttpRequest;function _(){o.abort()}o.onload=function(){var l={status:o.status,statusText:o.statusText,headers:N(o.getAllResponseHeaders()||"")};l.url="responseURL"in o?o.responseURL:l.headers.get("X-Request-URL");var g="response"in o?o.response:o.responseText;setTimeout(function(){r(new c(g,l))},0)},o.onerror=function(){setTimeout(function(){n(new TypeError("Network request failed"))},0)},o.ontimeout=function(){setTimeout(function(){n(new TypeError("Network request failed"))},0)},o.onabort=function(){setTimeout(function(){n(new u.DOMException("Aborted","AbortError"))},0)};function V(l){try{return l===""&&a.location.href?a.location.href:l}catch{return l}}o.open(i.method,V(i.url),!0),i.credentials==="include"?o.withCredentials=!0:i.credentials==="omit"&&(o.withCredentials=!1),"responseType"in o&&(f.blob?o.responseType="blob":f.arrayBuffer&&i.headers.get("Content-Type")&&i.headers.get("Content-Type").indexOf("application/octet-stream")!==-1&&(o.responseType="arraybuffer")),t&&typeof t.headers=="object"&&!(t.headers instanceof s)?Object.getOwnPropertyNames(t.headers).forEach(function(l){o.setRequestHeader(l,E(t.headers[l]))}):i.headers.forEach(function(l,g){o.setRequestHeader(g,l)}),i.signal&&(i.signal.addEventListener("abort",_),o.onreadystatechange=function(){o.readyState===4&&i.signal.removeEventListener("abort",_)}),o.send(typeof i._bodyInit>"u"?null:i._bodyInit)})}return O.polyfill=!0,a.fetch||(a.fetch=O,a.Headers=s,a.Request=m,a.Response=c),u.Headers=s,u.Request=m,u.Response=c,u.fetch=O,u})({})})(y),y.fetch.ponyfill=!0,delete y.fetch.polyfill;var h=b.fetch?b:y;d=h.fetch,d.default=h.fetch,d.fetch=h.fetch,d.Headers=h.Headers,d.Request=h.Request,d.Response=h.Response,w.exports=d})(A,A.exports)),A.exports}var j=X();const J=z(j),Q=$({__proto__:null,default:J},[j]);export{Q as b};