我目前正在编写一个项目,该项目在后端使用带有 Django-Rest-Framework 的 Django,在前端使用 Ember.js/Ember-data。
我希望以这种格式将查询从我的 ember 应用程序传递回我的 django api
http://myurl.com/application/api/model/?parameter=X
其中参数是正在查询的模型上的字段,X 是要搜索的值。
像这样松散的东西应该是结果查询
queryset = Model.objects.filter(**request.QUERY_PARAMS.dict())
其中 QUERY_PARAMS.dict() 是 Django 语法,它提供格式的字典
{parameter:X}
** 将 dict 转换为 Django 所期望的关键字参数。
因此,上面的行实际上是:
queryset = Model.objects.filter(parameter=X)
我已经使用自定义视图和自定义 mixin 进行了这项工作,但我担心我的查询处理实现可能有点幼稚,这让我觉得这是一种非常常见的模式。
我想知道是否有用于 Django 的库,或者我不完全理解的一些 Django 内部组件是否可以在没有自定义查询集代码的情况下为我处理这些相对常见的查询?
任何指向正确方向的指针将不胜感激。
史蒂夫凯恩
编辑:
def get_integer_queryset(self, query, queryset):
#stringify the first entry in query.keys (query is request.QUERY_PARAMS)
query_key = str(query.keys()[0])
#split the string into individual strings since the request object dict
#contains only a string of numbers and not an actual array (see below)
#query = {'parameter':'1,2,3,4'} becomes {'parameter':['1','2','3','4']}
query_values = query.get(query_key, None).split(",")
#construct two dicts. One handles integers and the other handles "null"
#all the code below is required because Django does not seem to handle "null"
#as a valid query to a field that is type "integer"
#as a side note, I think this is poor and create annoying work...i would love
#to be wrong here
#the Q objects are required in order to compose a query of both integers and
#the string "null"
query_vals_no_null = {query_key+"__in": []}
optional_null_dict = {}
for value in query_values:
if value == "null" or value == "None":
optional_null_dict[query_key+"__isnull"] = True
else:
query_vals_no_null[query_key+"__in"].append(value)
return queryset.filter( Q(**query_vals_no_null) |
Q(**optional_null_dict) )
这是我从处理整数查询的自定义视图中获取的主要方法。我插入评论以澄清正在发生的事情。让我知道这是否有帮助或看起来很熟悉/可怕/真棒/有点温和。
史蒂夫