如何在DJango中将RawQuerySet结果作为JSONResponse传递?

时间:2017-12-04 19:01:27

标签: json django django-queryset

我有两个这样的模型:

class McqQuestion(models.Model):
    mcq_question_id = models.IntegerField()
    test_id = models.ForeignKey('exam.Test')
    mcq_right_answer = models.IntegerField()

class UserMcqAnswer(models.Model):
    user = models.ForeignKey('exam.UserInfo')
    test_id = models.ForeignKey('exam.Test')
    mcq_question_id=models.ForeignKey('exam.McqQuestion')
    user_answer = models.IntegerField()

我需要匹配user_answer和mcq_right_answer。能够通过执行以下原始查询来做到这一点。

rightAns=UserMcqAnswer.objects.raw('SELECT B.id, COUNT(A.mcq_question_id) AS RightAns\
                    FROM exam_mcqquestion AS A\
                    LEFT JOIN exam_usermcqanswer AS B\
                    ON A.mcq_question_id=B.mcq_question_id_id\
                    WHERE B.test_id_id=%s AND B.user_id=%s AND\
                    A.mcq_right_answer=B.user_answer',[test_id,user_id])

1)但问题是无法将结果作为JSONResponse传递,因为它表示TypeError:“RawQuerySet”类型的对象不是JSON可序列化的 2)通过使用对象和过滤的查询集,是否有任何替代此原始查询的方法?

2 个答案:

答案 0 :(得分:1)

不建议在Django中使用原始查询。

  

当模型查询API不够用时,您可以回退编写原始SQL。

在您的案例中,模型查询API可以解决您的问题。您可以使用以下视图:

<强> views.py

def get_answers(request):
    test = Test.objects.get(name="Test 1")
    answers = UserMcqAnswer.objects.filter(test_id=test, user=request.user).annotate(
        is_correct=Case(
            When(user_answer=F('mcq_question_id__mcq_right_answer'),
            then=Value(True)),
            default=Value(False),
            output_field=BooleanField())
    ).values()
return JsonResponse(list(answers), safe=False)

此外,您可以考虑使用Django Rest Framework进行QuerySet的序列化。

答案 1 :(得分:0)

Django的序列化函数的第二个参数can be any iterator that yields Django model instances

因此,原则上,您可以使用您使用的原始SQL查询,使用以下内容:

query = """SELECT B.id, COUNT(A.mcq_question_id) AS RightAns\
                    FROM exam_mcqquestion AS A\
                    LEFT JOIN exam_usermcqanswer AS B\
                    ON A.mcq_question_id=B.mcq_question_id_id\
                    WHERE B.test_id_id=%s AND B.user_id=%s AND\
                    A.mcq_right_answer=B.user_answer"""%(test_id, user_id)

然后获取您将返回的json数据,如:

from django.core import serializers
data = serializers.serialize('json', UserMcqAnswer.objects.raw(query), fields=('some_field_you_want', 'another_field', 'and_some_other_field'))

祝你好运找到解决问题的最佳方法

编辑:小修补程序,添加了导入