我的urlpatterns中有以下网址:
url(r'^user/(?P<user_pk>[0-9]+)/device/(?P<uid>[0-9a-fA-F\-]+)$', views.UserDeviceDetailView.as_view(), name='user-device-detail'),
请注意,它有两个字段:user_pk
和uid
。该网址类似于:https://example.com/user/410/device/c7bda191-f485-4531-a2a7-37e18c2a252c
。
在此模型的详细视图中,我正在尝试填充一个url
字段,该字段将包含返回模型的链接。
在序列化程序中,我有:
url = serializers.HyperlinkedIdentityField(view_name="user-device-detail", lookup_field='uid', read_only=True)
然而,我认为它失败了因为URL有两个字段:
django.core.exceptions.ImproperlyConfigured:无法使用视图名称“user-device-detail”解析超链接关系的URL。您可能未能在API中包含相关模型,或者在此字段上错误地配置了
lookup_field
属性。
当网址包含两个或更多网址模板项时,如何使用HyperlinkedIdentityField
(或任何Hyperlink*Field
)? (查询字段)?
答案 0 :(得分:7)
我不确定您是否已经解决了这个问题,但这对于遇到此问题的其他人可能会有用。除了重写HyperlinkedIdentityField并自己创建自定义序列化器字段之外,您无法做很多事情。这个问题的一个例子是在下面的github链接中(以及一些源代码来解决它):
https://github.com/tomchristie/django-rest-framework/issues/1024
在那里指定的代码是:
from rest_framework.relations import HyperlinkedIdentityField
from rest_framework.reverse import reverse
class ParameterisedHyperlinkedIdentityField(HyperlinkedIdentityField):
"""
Represents the instance, or a property on the instance, using hyperlinking.
lookup_fields is a tuple of tuples of the form:
('model_field', 'url_parameter')
"""
lookup_fields = (('pk', 'pk'),)
def __init__(self, *args, **kwargs):
self.lookup_fields = kwargs.pop('lookup_fields', self.lookup_fields)
super(ParameterisedHyperlinkedIdentityField, self).__init__(*args, **kwargs)
def get_url(self, obj, view_name, request, format):
"""
Given an object, return the URL that hyperlinks to the object.
May raise a `NoReverseMatch` if the `view_name` and `lookup_field`
attributes are not configured to correctly match the URL conf.
"""
kwargs = {}
for model_field, url_param in self.lookup_fields:
attr = obj
for field in model_field.split('.'):
attr = getattr(attr,field)
kwargs[url_param] = attr
return reverse(view_name, kwargs=kwargs, request=request, format=format)
这应该有用,在你的情况下你会这样称呼它:
url = ParameterisedHyperlinkedIdentityField(view_name="user-device-detail", lookup_fields=(('<model_field_1>', 'user_pk'), ('<model_field_2>', 'uid')), read_only=True)
<model_field_1>
和<model_field_2>
是模型字段,可能是&#39; id&#39;和&#39; uid&#39;在你的情况下。
请注意上述问题是在2年前报道过的,我不知道他们是否在新版本的DRF中包含了类似的东西(我还没找到),但上面的代码对我有用。