在 Django REST Framework 中使用 url 传递查询
Posted
技术标签:
【中文标题】在 Django REST Framework 中使用 url 传递查询【英文标题】:Pass query with url in Django REST Framework 【发布时间】:2019-09-04 17:19:47 【问题描述】:我觉得这应该很简单,但我所做的并没有得到回报。
在 Django 中,我的应用中有这个 urls.py:
from django.urls import path
from .views import PostcodessAPIListView, PostcodesAPIID, PostcodesWithinRadius
urlpatterns = [
path("<str:postcode>/<int:radius_km>", PostcodesWithinRadius.as_view(), name="results_api_radius"),
path("", PostcodessAPIListView.as_view(), name="results_api_list"),
path("<int:pk>", PostcodesAPIID.as_view(), name="results_api_detail"),
]
我有这个观点,应该取一个邮政编码和一个以km为单位的半径,调用外部api将邮政编码转换为经度和纬度,然后再次调用外部api获取一定半径内的邮政编码。
class PostcodesWithinRadius(generics.RetrieveAPIView):
serializer_class = PostcodeSerializer
def get_queryset(self):
postcode = self.request.query_params.get('postcode', None)
radius_km = self.request.query_params.get('radius_km', None)
print(postcode, radius_km)
postcodes = self.get_postcodes_within_radius(postcode, radius_km)
print(postcodes)
return Postcode.objects.filter(postcode__in=postcodes)
def get_postcodes_within_radius(self, postcode, radius_km):
radius_km = 3
postcodes_within_radius = []
if radius_km <= 20:
radius = radius_km * 1000
else:
raise ValueError('Radius cannot be over 20km.')
GET_LAT_LON_URL = f"POSTCODE_URL?"
postcode_query =
"query": postcode
postcode_data = requests.get(GET_LAT_LON_URL, headers=None, params=postcode_query).json()
print(postcode_data)
querystring =
"longitude": postcode_data['result'][0]['longitude'],
"latitude": postcode_data['result'][0]['latitude'],
"wideSearch": radius,
"limit": 100,
res = requests.get(POSTCODE_URL, headers=None, params=querystring).json()
for postcode in res['result']:
postcodes_within_radius.append(postcode['postcode'])
return postcodes_within_radius
但是,邮政编码和半径没有通过 url 参数传递 - 给出了什么?
【问题讨论】:
【参考方案1】:您没有将postcode
和radius
作为query
参数传递,而是作为url
参数传递。
如果您的url
类似于:
http://localhost:8000/postcodes/?postcode=0000&radius=5
但是由于您使用的是url
参数:
http://localhost:8000/<postcode>/<radius>
您需要更改get_queryset
方法。试试这个:
def get_queryset(self):
postcode = self.kwargs.get('postcode', None)
radius_km = self.kwargs.get('radius_km', None)
print(postcode, radius_km)
postcodes = self.get_postcodes_within_radius(postcode, radius_km)
print(postcodes)
return Postcode.objects.filter(postcode__in=postcodes)
【讨论】:
好的,如果我将类更改为扩展 generics.ListAPIView 而不是 RetrieveAPIView【参考方案2】:你为什么不直接使用get()
的方法
class PostcodesWithinRadius(generics.RetrieveAPIView):
serializer_class = PostcodeSerializer
def get(self, request, **kwargs):
postcode = kwargs.get('postcode')
radius_km = kwargs.get('radius_km')
# rest of the logic
【讨论】:
以上是关于在 Django REST Framework 中使用 url 传递查询的主要内容,如果未能解决你的问题,请参考以下文章