0

我有两个模型:

class Category(models.Model):
    name = models.CharField(max_length=50)

class SubCategory(models.Model):
    sex =  models.CharField(choices=SEX, blank=True, max_length=5) 
    name = models.TextField(blank=True) 
    category = models.ForeignKey(Category) 
    def __unicode__(self):
        return u'%s' % (self.name)

我正在使用以 JSON 格式返回“SubCategory”对象的tastepie 创建一个api。我想在每个结果集中添加一个自定义字段“start_counter_of_category”,其中包含类别 ID 更改的子类别的计数器(在“category_id”字段上排序时)

该算法相当简单,在“脱水”函数中是这样的:

API_SKU_VARS = {
    'COUNTER'       : 1,
    'FIRST_ELEMENT' : 1,
    'PREV_CATEGORY' : 1
}


class SubCategoryResource(ModelResource):
    start_counter_of_category = fields.IntegerField(readonly=True)
    category = fields.ForeignKey(CategoryResource,'category')
    class Meta:
        queryset = SubCategory.objects.all()
        resource_name = 'subcategory'
        filtering = {
            'id' : ALL,
            'name' : ALL,
            'category': ALL_WITH_RELATIONS,
        }
        ordering = ['id','name','category']
        serializer = Serializer(formats=['json'])
    def dehydrate(self, bundle):
        if API_SKU_VARS['PREV_CATEGORY']  != bundle.data['category']: #if the category of the current bundle is not equal to the category of the previous bundle, we update the ['PREV_CATEGORY'] 
            API_SKU_VARS['FIRST_ELEMENT']=API_SKU_VARS['COUNTER'] #update the ['FIRST_ELEMENT'] with the counter of the current bundle
            API_SKU_VARS['PREV_CATEGORY'] = bundle.data['category']
        API_SKU_VARS['COUNTER'] = API_SKU_VARS['COUNTER']+1 #for every bundle passed, we update the counter
        bundle.data['start_counter_of_category']=API_SKU_VARS['FIRST_ELEMENT']
        return bundle.data
    serializer = Serializer(formats=['json'])

它在我启动服务器后的第一次运行时完美运行。可以预见的问题当然是我第二次调用 api 时,变量保留了它们在上一次运行中的值。

任何想法如何在每次进行 api 调用时重新启动变量?

解决方案:

重新初始化变量

  • 如果调用的 api 是过滤 API,则build_filters
  • get_detail如果调用的 api 是详细 API

示例(在我的情况下):

def build_filters(self, filters=None):
        if filters is None:
            filters = {}
        orm_filters = super(SubCategoryResource, self).build_filters(filters) #get the required response using the function's behavior from the super class
        self.API_SKU_VARS = {
            'PREV_CATEGORY':1,
            'COUNTER':1,
            'FIRST_ELEMENT':1,
        }
        return orm_filters

(如果您想将任何自定义逻辑应用到 API 响应中,这些函数将被覆盖)

更好和最明显的解决方案

重新实例化init函数中的变量,如下所示:

def __init__(self,api_name=None):
    self.API_SKU_VARS = {.....}
    super(SKUResource,self).__init__(api_name)
4

1 回答 1

0

是的,您只需在每次调用开始时运行此代码即可重新初始化(而不是“重新初始化”)变量:

API_SKU_VARS['COUNTER'] = 1
API_SKU_VARS['PREV_CATEGORY'] = 1
API_SKU_VARS['FIRST_ELEMENT'] = 1

但这是个坏主意。为什么这个变量首先是全局的?全局变量的全部意义在于它由模块中的所有对象共享,并且在模块的生命周期中存在。如果您想要单个 API 调用本地的东西并且在该调用的整个生命周期内都存在,那么让它成为具有这些特征的东西的成员。初始化成员作为初始化适当对象的一部分。那么就不需要重新初始化了。

看看为什么这是一个坏主意:如果两个客户端同时连接并且都进行相同的 API 调用会发生什么?

于 2012-11-07T08:30:17.347 回答