{% url url_name %}
给出一个相对名称。
我该怎么做{% absolute_url url_name %}
才能返回带有基数的url(包括端口,如果存在)?
有不同的解决方案。编写您自己的模板标签并使用 HttpRequest.build_absolute_uri(location)
. 但另一种方式,有点hacky。
<a href="{{ request.scheme }}://{{ request.get_host }}{% url url_name %}">click here</a>
编辑:所以我有点困惑,这仍然让我赞成。我目前发现这真的很hacky。编写自己的模板标签变得容易多了,因此这里以您自己的标签为例。
from django import template
from django.urls import reverse
register = template.Library()
@register.simple_tag(takes_context=True)
def abs_url(context, view_name, *args, **kwargs):
# Could add except for KeyError, if rendering the template
# without a request available.
return context['request'].build_absolute_uri(
reverse(view_name, args=args, kwargs=kwargs)
)
@register.filter
def as_abs_url(path, request):
return request.build_absolute_uri(path)
例子:
<a href='{% abs_url view_name obj.uuid %}'>
{% url view_name obj.uuid as view_url %}
<a href='{{ view_url|as_abs_url:request }}'>
您可以build_absolute_uri()
在请求对象中使用该方法。在模板中使用它作为request.build_absolute_uri
. 这将创建包括协议、主机和端口的绝对地址。
例子:
<a href="{{request.build_absolute_uri}}">click here</a>
在模板中,我使用它来打印带有协议、主机和端口(如果存在)的绝对 URL:
<a href="{{ request.scheme }}://{{ request.get_host }}{% url url_name %}">link</a>
在 Python 中,我使用:
from django.core.urlresolvers import reverse
def do_something(request):
link = "{}://{}{}".format(request.scheme, request.get_host(), reverse('url_name', args=(some_arg1,)))
我使用自定义标签absurl
和上下文处理器django.template.context_processors.request
。例如:
自定义标签定义在tenplatetags\mytags.py
:
from django import template
register = template.Library()
@register.simple_tag(takes_context=True)
def absurl(context, object):
return context['request'].build_absolute_uri(object.get_absolute_url())
确保settings.py
您具备以下条件:
TEMPLATES = [
{
'BACKEND': 'django.template.backends.django.DjangoTemplates',
'OPTIONS': {
'debug': DEBUG,
'context_processors': [
...
'django.template.context_processors.request',
...
然后确保模型有一个build_absolute_url
,例如供管理区域使用:
class ProductSelection(models.Model):
title = models.CharField(max_length=100)
slug = models.SlugField(unique=True)
fixed_price = models.DecimalField(max_digits=10, decimal_places=2, ...
...
def get_absolute_url(self):
return reverse('myapp:selection', args=[self.slug])
模板本身用于absurl
完全绑定它:
{% load mytags %}
...
<script type="application/ld+json">{
"@context": "http://schema.org/",
"@type": "Product",
"name": " {{selection.title}}",
...
"offers": {
"@type": "Offer",
"priceCurrency": "GBP",
"url": "{% absurl selection %}", <--- look here
} }
</script>