django dynamically filtering with q objects

后端 未结 4 1091
抹茶落季
抹茶落季 2020-12-04 17:48

I\'m trying to query a database based on user input tags. The number of tags can be from 0-5, so I need to create the query dynamically.

So I have a tag list, tag_li

相关标签:
4条回答
  • 2020-12-04 18:25

    Just prepare a tag list first then, query like this:

    tags = ['tag1', 'tag2',...]
    design_list = Design.objects.filter(tags__tag__contains__in = tags)
    
    0 讨论(0)
  • 2020-12-04 18:42

    You can use this way:

    my_dict = {'field_1': 1, 'field_2': 2, 'field_3': 3, ...}  # Your dict with fields
    or_condition = Q()
    for key, value in my_dict.items():
        or_condition.add(Q(**{key: value}), Q.OR)
    
    query_set = MyModel.objects.filter(or_condition)
    

    By this way you can use dynamically generated field names. Also you can use Q.AND for AND condition.

    0 讨论(0)
  • 2020-12-04 18:49

    You'll want to loop through the tag_list and apply a filter for each one.

    tag_list = ['tag1', 'tag2', 'tag3']
    base_qs = Design.objects.all()
    for t in tag_list:
        base_qs = base_qs.filter(tags__tag__contains=t)
    

    This will give you results matching all tags, as your example indicated with and. If in fact you needed or instead, you will probably need Q objects.

    Edit: I think I have what you're looking for now.

    tags = ['tag1', 'tag2', 'tag3']
    q_objects = Q() # Create an empty Q object to start with
    for t in tags:
        q_objects |= Q(tags__tag__contains=t) # 'or' the Q objects together
    
    designs = Design.objects.filter(q_objects)
    

    I tested this and it seems to work really well.

    Edit 2: Credit to kezabelle in #django on Freenode for the initial idea.

    0 讨论(0)
  • 2020-12-04 18:49

    You may need to add AND and OR conditions

        query = (Q(fild1='ENABLE'))
        # Filter by list
        query.add(Q(fild2__in=[p.code for p in Objects.field.all()]), Q.AND)
    
        # filter OR
        q_objects = Q(field3='9999999')
        for x in myList:
            q_objects.add(Q(field3=x.code), Q.OR)
    
        query.add(q_objects, Q.AND)
    
    0 讨论(0)
提交回复
热议问题