'Value'对象不支持索引



这是我编写的一些代码,用于给出对具有两个属性的子通道进行高级搜索的结果,以及每个子通道在不同表中的属性值。它给了我这个错误:'Value' object does not support indexing at line 35

sub_id = request.GET['sub_ch_id']
attributes = Attribute.objects.filter(subchannel_id = sub_id)
values =[]
print "attributes"
# print request
post = []
value_obj =[]
for w in attributes:
    name = w.name
    print request.GET[name]
    values.append(request.GET[name])

result_search_obj = []
flag = False
result_search = []
result = []
post = []
i = 0
f = i+1
# post_temp = ""
# print "HIIIIII", len(result_search_obj)
for j in range(0,len(attributes)):
    # print 'EREEEEEEE'
    result_search_obj+=(Value.objects.filter(attribute_id = attributes[j].id 
        , value = values[j]))
    # print '1st loop'
result_search = [[] for o in result_search_obj]    
for k in range(0,len(result_search_obj)):
    # print '2 loop'
    for l in range(0,len(result_search_obj)):
        print 'why u dnt go here'
        result_search[k].append(result_search_obj[k][l].Post_id)
        # print '4 loop'
for a in range(0,len(result_search)):
    result_search.sort(len(result_search[k]))
    # print '6 loop'
for h in range(0,len(result_search)):
    post_temp = ""
    # print '3 loop'
    for g in result_search[h]:
        tmp=result_search[h]
        loc = temp[g]
        if loc == result_search[h+1][g]:
            flag = True
            post_temp = tmp[g]
            break
    post = post_temp
print post
return HttpResponse('filter_post_channel.html', {'posts' : post})

我认为问题出在这一行:

result_search_obj+=(Value.objects.filter(attribute_id = attributes[j].id 
    , value = values[j]))

您正在创建一个元组并将其附加到列表中。您希望将元组作为元组添加,但Python将元组扁平化并添加其元素。

所以你需要改变你的行,以创建一个列表,并将其附加到result_search_obj

result_search_obj+= [ (Value.objects.filter(attribute_id = attributes[j].id 
    , value = values[j])) ]
样本测试

>>> x=[]
>>> x += (1, 2)
>>> x
[1, 2]
>>> x += [(1, 2)]
>>> x
[1, 2, (1, 2)]
>>> x += (1, 2)
>>> x
[1, 2, (1, 2), 1, 2]
>>> 

最新更新