Django-Tastypie高级过滤

问题描述 投票:1回答:3

我正在使用Django-Tastypie。

我有一个像这样的网址

/api/v1/pic/?event=25&format=json

这将返回?event=25的所有照片。但我还有其他一些应该考虑的事情。

就像私人事件(即:event.private=1)一样,它应该对它返回的照片进行某种过滤。我该如何实现它?任何指针都会有很大的帮助。

django rest tastypie
3个回答
2
投票

你可以说得更详细点吗?你想要什么样的过滤器。

对于私有事件过滤器,您可以在模型中定义布尔字段:

=====================模型=====================

class Event(models.Model):
    private = models.BooleanField()
    ...

class Pic(models.Model):
    event = models.ForeignKey(Event)
    date = models.DateTimeField()
    ...

=====================资源=====================

class PicResource(ModelResource):
    event = fields.ForeignKey(EventResource, 'event')
    class Meta:
        queryset = Pic.objects.all()
        filtering = {
            'event' : ALL_WITH_RELATIONS,
            'date' : ALL
        }
        ordering = ['date', 'event']

然后,您可以查询资源:

  1. 私人活动的所有照片 - / api / v1 / pic /?event__private = True&format = json
  2. 按日期排序的所有照片最新 - / api / v1 / pic /?format = json&order_by = -date(注意“ - ”符号表示降序。

0
投票

我登陆这里寻找更一般的Tastypie过滤,所以我想我会为@ ge7600的答案增加一点。

如果要对字段进行过滤,可以在url中使用任何有效的Django查询语法。如果我公开这些字段进行过滤:

class PicResource(ModelResource):
    event = fields.ForeignKey(EventResource, 'event')
    class Meta:
        queryset = Pic.objects.all()
        filtering = {
            'event' : ALL_WITH_RELATIONS,
            'date' : ALL,
            'title' : ALL
        }
        ordering = ['date', 'event']

我可以使用url参数进行过滤,例如:

/api/v1/pic/?event=25
/api/v1/pic/?title__contains=sunset
/api/v1/pic/?date__gte=2015-06-01&title__contains=wedding

如果我仔细阅读文档,我可能会更早地想出来...


-1
投票

你只需要定义resource

from django.contrib.auth.models import User
from tastypie import fields
from tastypie.authorization import DjangoAuthorization
from tastypie.resources import ModelResource, ALL, ALL_WITH_RELATIONS
from myapp.models import Entry


class UserResource(ModelResource):
    class Meta:
        queryset = User.objects.all()
        resource_name = 'auth/user'
        excludes = ['email', 'password', 'is_superuser']


class EntryResource(ModelResource):
    user = fields.ForeignKey(UserResource, 'user')

    class Meta:
        queryset = Entry.objects.all()
        list_allowed_methods = ['get', 'post']
        detail_allowed_methods = ['get', 'post', 'put', 'delete']
        resource_name = 'myapp/entry'
        authorization = DjangoAuthorization()
        filtering = {
            'slug': ALL,
            'user': ALL_WITH_RELATIONS,
            'created': ['exact', 'range', 'gt', 'gte', 'lt', 'lte'],
        }
© www.soinside.com 2019 - 2024. All rights reserved.