从列表中删除unicode“u”的最简单方法是什么?

时间:2017-07-20 06:16:03

标签: python list dictionary unicode

我有一个像这样的列表

d=[{u'Length': u'2.96m', u'Width': u'1.44m', u'height': u'0.38m'},
{u'Length': u'3.8m', u'Width': u'0.65m', u'height': u'9.3m'},
{u'Length': u'0.62m', u'Width': u'2.9m', u'height': u'3.5m'}]

我希望用一种简单的方法从此列表中删除unicode'u'以创建新列表。这里的“简单方法”是在不导入外部模块或将其保存在外部文件中的情况下删除unicode。

这是我尝试的五种方法

def to_utf8(d):
    if type(d) is dict:
        result = {}
        for key, value in d.items():
            result[to_utf8(key)] = to_utf8(value)
    elif type(d) is unicode:
        return d.encode('utf8')
    else:
        return d


#these three returns AttributeError: 'list' object has no attribute 'encode'
d.encode('utf-8')
d.encode('ascii')
d.encode("ascii","replace")

#output the same
to_utf8(d)
print str(d)

第三次回归

  

AttributeError:'list'对象没有属性'encode'

和后两个打印相同的结果。我该如何删除unicode'u'?

3 个答案:

答案 0 :(得分:2)

怎么样,迭代列表并对字典中的每个键值进行编码。

converted = [{ str(key): str(value)
                for key, value in array.items() 
            } for array in d]

print (converted)

答案 1 :(得分:1)

这是最简单的解决方案

d=[{u'Length': u'2.96m', u'Width': u'1.44m', u'height': u'0.38m'},
{u'Length': u'3.8m', u'Width': u'0.65m', u'height': u'9.3m'},
{u'Length': u'0.62m', u'Width': u'2.9m', u'height': u'3.5m'}]

def to_utf8(d):
    final = []
    for item in d:
        if type(item) is dict:
            result = {}
            for key, value in item.items():
                result[str(key)] = str(value)
            final.append(result)
    return final

print to_utf8(d)    

答案 2 :(得分:0)

首先应将它们编码为字节,然后将它们解码为ascii string。

l = list()

for item in d:
    temp = dict()
    for key, value in item.items():
        temp[key.encode("utf-8").decode("ascii")] = value.encode("utf-8").decode("ascii")
    l.append(temp)
相关问题