我有两种模式:
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)
我正在使用tastypie创建一个api,它返回我" SubCategory" JSON中的对象。我想添加一个自定义字段" 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调用时如何重新启动变量?
SOLUTION:
重新初始化
中的变量示例(在我的情况下):
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)
答案 0 :(得分:0)
是的,您可以通过在每次调用开始时运行此代码来重新初始化(而非“重新启动”)变量:
API_SKU_VARS['COUNTER'] = 1
API_SKU_VARS['PREV_CATEGORY'] = 1
API_SKU_VARS['FIRST_ELEMENT'] = 1
但这是一个坏主意。为什么这个变量首先是全局变量?全局变量的全部意义在于它由模块中的所有对象共享,并且在模块的生命周期中存在。如果你想要一个单独的API调用本地的东西并且在该调用的生命周期中存在,那么使它成为具有这些特征的东西的成员。初始化成员作为初始化适当对象的一部分。然后就没有必要重新初始化它了。
要了解为什么这是一个坏主意:如果两个客户端同时连接并且两者都进行相同的API调用会发生什么?