mirror of
https://github.com/django-components/django-components.git
synced 2025-08-04 06:18:17 +00:00
feat: paths as objects + user-provided Media cls + handle static (#526)
Co-authored-by: Emil Stenström <emil@emilstenstrom.se>
This commit is contained in:
parent
1d0d960211
commit
3c5a7ad823
10 changed files with 1106 additions and 146 deletions
|
@ -1,8 +1,13 @@
|
|||
import os
|
||||
import sys
|
||||
from pathlib import Path
|
||||
|
||||
from django.forms.widgets import Media
|
||||
from django.template import Context, Template
|
||||
from django.templatetags.static import static
|
||||
from django.test import override_settings
|
||||
from django.utils.html import format_html, html_safe
|
||||
from django.utils.safestring import mark_safe
|
||||
|
||||
# isort: off
|
||||
from .django_test_setup import * # NOQA
|
||||
|
@ -261,7 +266,7 @@ class ComponentMediaTests(BaseTestCase):
|
|||
""",
|
||||
)
|
||||
|
||||
def test_css_js_as_dict_and_list(self):
|
||||
def test_css_as_dict(self):
|
||||
class SimpleComponent(component.Component):
|
||||
class Media:
|
||||
css = {
|
||||
|
@ -282,6 +287,432 @@ class ComponentMediaTests(BaseTestCase):
|
|||
""",
|
||||
)
|
||||
|
||||
def test_media_custom_render_js(self):
|
||||
class MyMedia(Media):
|
||||
def render_js(self):
|
||||
tags: list[str] = []
|
||||
for path in self._js: # type: ignore[attr-defined]
|
||||
abs_path = self.absolute_path(path) # type: ignore[attr-defined]
|
||||
tags.append(f'<my_script_tag src="{abs_path}"></my_script_tag>')
|
||||
return tags
|
||||
|
||||
class SimpleComponent(component.Component):
|
||||
media_class = MyMedia
|
||||
|
||||
class Media:
|
||||
js = ["path/to/script.js", "path/to/script2.js"]
|
||||
|
||||
comp = SimpleComponent()
|
||||
self.assertHTMLEqual(
|
||||
comp.render_dependencies(),
|
||||
"""
|
||||
<my_script_tag src="path/to/script.js"></my_script_tag>
|
||||
<my_script_tag src="path/to/script2.js"></my_script_tag>
|
||||
""",
|
||||
)
|
||||
|
||||
def test_media_custom_render_css(self):
|
||||
class MyMedia(Media):
|
||||
def render_css(self):
|
||||
tags: list[str] = []
|
||||
media = sorted(self._css) # type: ignore[attr-defined]
|
||||
for medium in media:
|
||||
for path in self._css[medium]: # type: ignore[attr-defined]
|
||||
tags.append(f'<my_link href="{path}" media="{medium}" rel="stylesheet" />')
|
||||
return tags
|
||||
|
||||
class SimpleComponent(component.Component):
|
||||
media_class = MyMedia
|
||||
|
||||
class Media:
|
||||
css = {
|
||||
"all": "path/to/style.css",
|
||||
"print": ["path/to/style2.css"],
|
||||
"screen": "path/to/style3.css",
|
||||
}
|
||||
|
||||
comp = SimpleComponent()
|
||||
self.assertHTMLEqual(
|
||||
comp.render_dependencies(),
|
||||
"""
|
||||
<my_link href="path/to/style.css" media="all" rel="stylesheet" />
|
||||
<my_link href="path/to/style2.css" media="print" rel="stylesheet" />
|
||||
<my_link href="path/to/style3.css" media="screen" rel="stylesheet" />
|
||||
""",
|
||||
)
|
||||
|
||||
|
||||
class MediaPathAsObjectTests(BaseTestCase):
|
||||
def test_safestring(self):
|
||||
"""
|
||||
Test that media work with paths defined as instances of classes that define
|
||||
the `__html__` method.
|
||||
|
||||
See https://docs.djangoproject.com/en/5.0/topics/forms/media/#paths-as-objects
|
||||
"""
|
||||
|
||||
# NOTE: @html_safe adds __html__ method from __str__
|
||||
@html_safe
|
||||
class JSTag:
|
||||
def __init__(self, path: str) -> None:
|
||||
self.path = path
|
||||
|
||||
def __str__(self):
|
||||
return f'<script js_tag src="{self.path}" type="module"></script>'
|
||||
|
||||
@html_safe
|
||||
class CSSTag:
|
||||
def __init__(self, path: str) -> None:
|
||||
self.path = path
|
||||
|
||||
def __str__(self):
|
||||
return f'<link css_tag href="{self.path}" rel="stylesheet" />'
|
||||
|
||||
# Format as mentioned in https://github.com/EmilStenstrom/django-components/issues/522#issuecomment-2173577094
|
||||
@html_safe
|
||||
class PathObj:
|
||||
def __init__(self, static_path: str) -> None:
|
||||
self.static_path = static_path
|
||||
|
||||
def __str__(self):
|
||||
return format_html('<script type="module" src="{}"></script>', static(self.static_path))
|
||||
|
||||
class SimpleComponent(component.Component):
|
||||
class Media:
|
||||
css = {
|
||||
"all": [
|
||||
CSSTag("path/to/style.css"), # Formatted by CSSTag
|
||||
mark_safe('<link hi href="path/to/style2.css" rel="stylesheet" />'), # Literal
|
||||
],
|
||||
"print": [
|
||||
CSSTag("path/to/style3.css"), # Formatted by CSSTag
|
||||
],
|
||||
"screen": "path/to/style4.css", # Formatted by Media.render_css
|
||||
}
|
||||
js = [
|
||||
JSTag("path/to/script.js"), # Formatted by JSTag
|
||||
mark_safe('<script hi src="path/to/script2.js"></script>'), # Literal
|
||||
PathObj("path/to/script3.js"), # Literal
|
||||
"path/to/script4.js", # Formatted by Media.render_js
|
||||
]
|
||||
|
||||
comp = SimpleComponent()
|
||||
self.assertHTMLEqual(
|
||||
comp.render_dependencies(),
|
||||
"""
|
||||
<link css_tag href="path/to/style.css" rel="stylesheet" />
|
||||
<link hi href="path/to/style2.css" rel="stylesheet" />
|
||||
<link css_tag href="path/to/style3.css" rel="stylesheet" />
|
||||
<link href="path/to/style4.css" media="screen" rel="stylesheet">
|
||||
|
||||
<script js_tag src="path/to/script.js" type="module"></script>
|
||||
<script hi src="path/to/script2.js"></script>
|
||||
<script type="module" src="path/to/script3.js"></script>
|
||||
<script src="path/to/script4.js"></script>
|
||||
""",
|
||||
)
|
||||
|
||||
def test_pathlike(self):
|
||||
"""
|
||||
Test that media work with paths defined as instances of classes that define
|
||||
the `__fspath__` method.
|
||||
"""
|
||||
|
||||
class MyPath(os.PathLike):
|
||||
def __init__(self, path: str) -> None:
|
||||
self.path = path
|
||||
|
||||
def __fspath__(self):
|
||||
return self.path
|
||||
|
||||
class SimpleComponent(component.Component):
|
||||
class Media:
|
||||
css = {
|
||||
"all": [
|
||||
MyPath("path/to/style.css"),
|
||||
Path("path/to/style2.css"),
|
||||
],
|
||||
"print": [
|
||||
MyPath("path/to/style3.css"),
|
||||
],
|
||||
"screen": "path/to/style4.css",
|
||||
}
|
||||
js = [
|
||||
MyPath("path/to/script.js"),
|
||||
Path("path/to/script2.js"),
|
||||
"path/to/script3.js",
|
||||
]
|
||||
|
||||
comp = SimpleComponent()
|
||||
self.assertHTMLEqual(
|
||||
comp.render_dependencies(),
|
||||
"""
|
||||
<link href="path/to/style.css" media="all" rel="stylesheet">
|
||||
<link href="path/to/style2.css" media="all" rel="stylesheet">
|
||||
<link href="path/to/style3.css" media="print" rel="stylesheet">
|
||||
<link href="path/to/style4.css" media="screen" rel="stylesheet">
|
||||
|
||||
<script src="path/to/script.js"></script>
|
||||
<script src="path/to/script2.js"></script>
|
||||
<script src="path/to/script3.js"></script>
|
||||
""",
|
||||
)
|
||||
|
||||
def test_str(self):
|
||||
"""
|
||||
Test that media work with paths defined as instances of classes that
|
||||
subclass 'str'.
|
||||
"""
|
||||
|
||||
class MyStr(str):
|
||||
pass
|
||||
|
||||
class SimpleComponent(component.Component):
|
||||
class Media:
|
||||
css = {
|
||||
"all": [
|
||||
MyStr("path/to/style.css"),
|
||||
"path/to/style2.css",
|
||||
],
|
||||
"print": [
|
||||
MyStr("path/to/style3.css"),
|
||||
],
|
||||
"screen": "path/to/style4.css",
|
||||
}
|
||||
js = [
|
||||
MyStr("path/to/script.js"),
|
||||
"path/to/script2.js",
|
||||
]
|
||||
|
||||
comp = SimpleComponent()
|
||||
self.assertHTMLEqual(
|
||||
comp.render_dependencies(),
|
||||
"""
|
||||
<link href="path/to/style.css" media="all" rel="stylesheet">
|
||||
<link href="path/to/style2.css" media="all" rel="stylesheet">
|
||||
<link href="path/to/style3.css" media="print" rel="stylesheet">
|
||||
<link href="path/to/style4.css" media="screen" rel="stylesheet">
|
||||
|
||||
<script src="path/to/script.js"></script>
|
||||
<script src="path/to/script2.js"></script>
|
||||
""",
|
||||
)
|
||||
|
||||
def test_bytes(self):
|
||||
"""
|
||||
Test that media work with paths defined as instances of classes that
|
||||
subclass 'bytes'.
|
||||
"""
|
||||
|
||||
class MyBytes(bytes):
|
||||
pass
|
||||
|
||||
class SimpleComponent(component.Component):
|
||||
class Media:
|
||||
css = {
|
||||
"all": [
|
||||
MyBytes(b"path/to/style.css"),
|
||||
b"path/to/style2.css",
|
||||
],
|
||||
"print": [
|
||||
MyBytes(b"path/to/style3.css"),
|
||||
],
|
||||
"screen": b"path/to/style4.css",
|
||||
}
|
||||
js = [
|
||||
MyBytes(b"path/to/script.js"),
|
||||
"path/to/script2.js",
|
||||
]
|
||||
|
||||
comp = SimpleComponent()
|
||||
self.assertHTMLEqual(
|
||||
comp.render_dependencies(),
|
||||
"""
|
||||
<link href="path/to/style.css" media="all" rel="stylesheet">
|
||||
<link href="path/to/style2.css" media="all" rel="stylesheet">
|
||||
<link href="path/to/style3.css" media="print" rel="stylesheet">
|
||||
<link href="path/to/style4.css" media="screen" rel="stylesheet">
|
||||
|
||||
<script src="path/to/script.js"></script>
|
||||
<script src="path/to/script2.js"></script>
|
||||
""",
|
||||
)
|
||||
|
||||
def test_function(self):
|
||||
class SimpleComponent(component.Component):
|
||||
class Media:
|
||||
css = [
|
||||
lambda: mark_safe('<link hi href="calendar/style.css" rel="stylesheet" />'), # Literal
|
||||
lambda: Path("calendar/style1.css"),
|
||||
lambda: "calendar/style2.css",
|
||||
lambda: b"calendar/style3.css",
|
||||
]
|
||||
js = [
|
||||
lambda: mark_safe('<script hi src="calendar/script.js"></script>'), # Literal
|
||||
lambda: Path("calendar/script1.js"),
|
||||
lambda: "calendar/script2.js",
|
||||
lambda: b"calendar/script3.js",
|
||||
]
|
||||
|
||||
comp = SimpleComponent()
|
||||
self.assertHTMLEqual(
|
||||
comp.render_dependencies(),
|
||||
"""
|
||||
<link hi href="calendar/style.css" rel="stylesheet" />
|
||||
<link href="calendar/style1.css" media="all" rel="stylesheet">
|
||||
<link href="calendar/style2.css" media="all" rel="stylesheet">
|
||||
<link href="calendar/style3.css" media="all" rel="stylesheet">
|
||||
|
||||
<script hi src="calendar/script.js"></script>
|
||||
<script src="calendar/script1.js"></script>
|
||||
<script src="calendar/script2.js"></script>
|
||||
<script src="calendar/script3.js"></script>
|
||||
""",
|
||||
)
|
||||
|
||||
@override_settings(STATIC_URL="static/")
|
||||
def test_works_with_static(self):
|
||||
"""Test that all the different ways of defining media files works with Django's staticfiles"""
|
||||
|
||||
class SimpleComponent(component.Component):
|
||||
class Media:
|
||||
css = [
|
||||
mark_safe(f'<link hi href="{static("calendar/style.css")}" rel="stylesheet" />'), # Literal
|
||||
Path("calendar/style1.css"),
|
||||
"calendar/style2.css",
|
||||
b"calendar/style3.css",
|
||||
lambda: "calendar/style4.css",
|
||||
]
|
||||
js = [
|
||||
mark_safe(f'<script hi src="{static("calendar/script.js")}"></script>'), # Literal
|
||||
Path("calendar/script1.js"),
|
||||
"calendar/script2.js",
|
||||
b"calendar/script3.js",
|
||||
lambda: "calendar/script4.js",
|
||||
]
|
||||
|
||||
comp = SimpleComponent()
|
||||
self.assertHTMLEqual(
|
||||
comp.render_dependencies(),
|
||||
"""
|
||||
<link hi href="/static/calendar/style.css" rel="stylesheet" />
|
||||
<link href="/static/calendar/style1.css" media="all" rel="stylesheet">
|
||||
<link href="/static/calendar/style2.css" media="all" rel="stylesheet">
|
||||
<link href="/static/calendar/style3.css" media="all" rel="stylesheet">
|
||||
<link href="/static/calendar/style4.css" media="all" rel="stylesheet">
|
||||
|
||||
<script hi src="/static/calendar/script.js"></script>
|
||||
<script src="/static/calendar/script1.js"></script>
|
||||
<script src="/static/calendar/script2.js"></script>
|
||||
<script src="/static/calendar/script3.js"></script>
|
||||
<script src="/static/calendar/script4.js"></script>
|
||||
""",
|
||||
)
|
||||
|
||||
|
||||
class MediaStaticfilesTests(BaseTestCase):
|
||||
# For context see https://github.com/EmilStenstrom/django-components/issues/522
|
||||
@override_settings(
|
||||
# Configure static files. The dummy files are set up in the `./static_root` dir.
|
||||
# The URL should have path prefix /static/.
|
||||
# NOTE: We don't need STATICFILES_DIRS, because we don't run collectstatic
|
||||
# See https://docs.djangoproject.com/en/5.0/ref/settings/#std-setting-STATICFILES_DIRS
|
||||
STATIC_URL="static/",
|
||||
STATIC_ROOT=os.path.join(Path(__file__).resolve().parent, "static_root"),
|
||||
# Either `django.contrib.staticfiles` or `django_components.safer_staticfiles` MUST
|
||||
# be installed for staticfiles resolution to work.
|
||||
INSTALLED_APPS=[
|
||||
"django_components.safer_staticfiles", # Or django.contrib.staticfiles
|
||||
"django_components",
|
||||
],
|
||||
)
|
||||
def test_default_static_files_storage(self):
|
||||
"""Test integration with Django's staticfiles app"""
|
||||
|
||||
class MyMedia(Media):
|
||||
def render_js(self):
|
||||
tags: list[str] = []
|
||||
for path in self._js: # type: ignore[attr-defined]
|
||||
abs_path = self.absolute_path(path) # type: ignore[attr-defined]
|
||||
tags.append(f'<my_script_tag src="{abs_path}"></my_script_tag>')
|
||||
return tags
|
||||
|
||||
class SimpleComponent(component.Component):
|
||||
media_class = MyMedia
|
||||
|
||||
class Media:
|
||||
css = "calendar/style.css"
|
||||
js = "calendar/script.js"
|
||||
|
||||
comp = SimpleComponent()
|
||||
|
||||
# NOTE: Since we're using the default storage class for staticfiles, the files should
|
||||
# be searched as specified above (e.g. `calendar/script.js`) inside `static_root` dir.
|
||||
self.assertHTMLEqual(
|
||||
comp.render_dependencies(),
|
||||
"""
|
||||
<link href="/static/calendar/style.css" media="all" rel="stylesheet">
|
||||
<my_script_tag src="/static/calendar/script.js"></my_script_tag>
|
||||
""",
|
||||
)
|
||||
|
||||
# For context see https://github.com/EmilStenstrom/django-components/issues/522
|
||||
@override_settings(
|
||||
# Configure static files. The dummy files are set up in the `./static_root` dir.
|
||||
# The URL should have path prefix /static/.
|
||||
# NOTE: We don't need STATICFILES_DIRS, because we don't run collectstatic
|
||||
# See https://docs.djangoproject.com/en/5.0/ref/settings/#std-setting-STATICFILES_DIRS
|
||||
STATIC_URL="static/",
|
||||
STATIC_ROOT=os.path.join(Path(__file__).resolve().parent, "static_root"),
|
||||
# NOTE: STATICFILES_STORAGE is deprecated since 5.1, use STORAGES instead
|
||||
# See https://docs.djangoproject.com/en/5.0/ref/settings/#staticfiles-storage
|
||||
STORAGES={
|
||||
# This was NOT changed
|
||||
"default": {
|
||||
"BACKEND": "django.core.files.storage.FileSystemStorage",
|
||||
},
|
||||
# This WAS changed so that static files are looked up by the `staticfiles.json`
|
||||
"staticfiles": {
|
||||
"BACKEND": "django.contrib.staticfiles.storage.ManifestStaticFilesStorage",
|
||||
},
|
||||
},
|
||||
# Either `django.contrib.staticfiles` or `django_components.safer_staticfiles` MUST
|
||||
# be installed for staticfiles resolution to work.
|
||||
INSTALLED_APPS=[
|
||||
"django_components.safer_staticfiles", # Or django.contrib.staticfiles
|
||||
"django_components",
|
||||
],
|
||||
)
|
||||
def test_manifest_static_files_storage(self):
|
||||
"""Test integration with Django's staticfiles app and ManifestStaticFilesStorage"""
|
||||
|
||||
class MyMedia(Media):
|
||||
def render_js(self):
|
||||
tags: list[str] = []
|
||||
for path in self._js: # type: ignore[attr-defined]
|
||||
abs_path = self.absolute_path(path) # type: ignore[attr-defined]
|
||||
tags.append(f'<my_script_tag src="{abs_path}"></my_script_tag>')
|
||||
return tags
|
||||
|
||||
class SimpleComponent(component.Component):
|
||||
media_class = MyMedia
|
||||
|
||||
class Media:
|
||||
css = "calendar/style.css"
|
||||
js = "calendar/script.js"
|
||||
|
||||
comp = SimpleComponent()
|
||||
|
||||
# NOTE: Since we're using ManifestStaticFilesStorage, we expect the rendered media to link
|
||||
# to the files as defined in staticfiles.json
|
||||
self.assertHTMLEqual(
|
||||
comp.render_dependencies(),
|
||||
"""
|
||||
<link href="/static/calendar/style.0eeb72042b59.css" media="all" rel="stylesheet">
|
||||
<my_script_tag src="/static/calendar/script.e1815e23e0ec.js"></my_script_tag>
|
||||
""",
|
||||
)
|
||||
|
||||
|
||||
class MediaRelativePathTests(BaseTestCase):
|
||||
class ParentComponent(component.Component):
|
||||
|
@ -339,6 +770,8 @@ class MediaRelativePathTests(BaseTestCase):
|
|||
|
||||
# Fix the paths, since the "components" dir is nested
|
||||
with autodiscover_with_cleanup(map_import_paths=lambda p: f"tests.{p}"):
|
||||
component.registry.unregister("relative_file_pathobj_component")
|
||||
|
||||
template_str: types.django_html = """
|
||||
{% load component_tags %}{% component_dependencies %}
|
||||
{% component name='relative_file_component' variable=variable %}
|
||||
|
@ -372,6 +805,8 @@ class MediaRelativePathTests(BaseTestCase):
|
|||
|
||||
# Fix the paths, since the "components" dir is nested
|
||||
with autodiscover_with_cleanup(map_import_paths=lambda p: f"tests.{p}"):
|
||||
component.registry.unregister("relative_file_pathobj_component")
|
||||
|
||||
template_str: types.django_html = """
|
||||
{% load component_tags %}{% component_dependencies %}
|
||||
{% component 'parent_component' %}
|
||||
|
@ -384,3 +819,43 @@ class MediaRelativePathTests(BaseTestCase):
|
|||
template = Template(template_str)
|
||||
rendered = template.render(Context({}))
|
||||
self.assertIn('<input type="text" name="variable" value="hello">', rendered, rendered)
|
||||
|
||||
# Settings required for autodiscover to work
|
||||
@override_settings(
|
||||
BASE_DIR=Path(__file__).resolve().parent,
|
||||
STATICFILES_DIRS=[
|
||||
Path(__file__).resolve().parent / "components",
|
||||
],
|
||||
)
|
||||
def test_component_with_relative_media_does_not_trigger_safestring_path_at__new__(self):
|
||||
"""
|
||||
Test that, for the __html__ objects are not coerced into string throughout
|
||||
the class creation. This is important to allow to call `collectstatic` command.
|
||||
Because some users use `static` inside the `__html__` or `__str__` methods.
|
||||
So if we "render" the safestring using str() during component class creation (__new__),
|
||||
then we force to call `static`. And if this happens during `collectstatic` run,
|
||||
then this triggers an error, because `static` is called before the static files exist.
|
||||
|
||||
https://github.com/EmilStenstrom/django-components/issues/522#issuecomment-2173577094
|
||||
"""
|
||||
|
||||
# Ensure that the module is executed again after import in autodiscovery
|
||||
if "tests.components.relative_file_pathobj.relative_file_pathobj" in sys.modules:
|
||||
del sys.modules["tests.components.relative_file_pathobj.relative_file_pathobj"]
|
||||
|
||||
# Fix the paths, since the "components" dir is nested
|
||||
with autodiscover_with_cleanup(map_import_paths=lambda p: f"tests.{p}"):
|
||||
# Mark the PathObj instances of 'relative_file_pathobj_component' so they won raise
|
||||
# error PathObj.__str__ is triggered.
|
||||
CompCls = component.registry.get("relative_file_pathobj_component")
|
||||
CompCls.Media.js[0].throw_on_calling_str = False # type: ignore
|
||||
CompCls.Media.css["all"][0].throw_on_calling_str = False # type: ignore
|
||||
|
||||
rendered = CompCls().render_dependencies()
|
||||
self.assertHTMLEqual(
|
||||
rendered,
|
||||
"""
|
||||
<script type="module" src="relative_file_pathobj.css"></script>
|
||||
<script type="module" src="relative_file_pathobj.js"></script>
|
||||
""",
|
||||
)
|
||||
|
|
Loading…
Add table
Add a link
Reference in a new issue