我试图将一个列表映射为十六进制,然后在其他地方使用该列表。在python 2.6中,这很简单:
答:Python 2.6:
>>> map(chr, [66, 53, 0, 94])
['B', '5', '\x00', '^']
然而,在Python 3.1中,上述函数返回一个map对象。
B: Python 3.1:
>>> map(chr, [66, 53, 0, 94])
<map object at 0x00AF5570>
如何在Python 3.x上检索映射列表(如上A所示)?
或者,有没有更好的方法来做这件事?我的初始列表对象有大约45项和id想把它们转换为十六进制。
列表返回映射函数具有节省输入的优点,特别是在交互式会话期间。你可以定义lmap函数(类似于python2的imap),返回list:
lmap = lambda func, *iterable: list(map(func, *iterable))
然后调用lmap而不是map将完成工作:
Lmap (str, x)比list(map(str, x))短5个字符(在本例中为30%),并且肯定比[str(v) for v in x]短。你也可以为filter创建类似的函数。
对最初的问题有一个评论:
我建议重命名为Getting map()以在Python 3中返回一个列表。*因为它适用于所有Python3版本。有办法做到这一点吗?- meawoppl 1月24日17:58
这是可能的,但这是一个非常糟糕的主意。为了好玩,以下是你可以(但不应该)这样做的方法:
__global_map = map #keep reference to the original map
lmap = lambda func, *iterable: list(__global_map(func, *iterable)) # using "map" here will cause infinite recursion
map = lmap
x = [1, 2, 3]
map(str, x) #test
map = __global_map #restore the original map and don't do that again
map(str, x) #iterator
在pyton3中最好的方法。X
简单地说,你可以在单行中完成
#Devil
input_list = [66, 53, 0, 94]
out = [chr(x) for x in input_list]
print(out)
# you will get the desire output in out list
# ['B', '5', '\x00', '^']
#------------------------------
#To retrieve your list use 'ord'
original_list = [ord(x) for x in out]
print(original_list )
#[66, 53, 0, 94]
这样做:
list(map(chr,[66,53,0,94]))
在Python 3+中,许多遍历可迭代对象的进程本身都会返回迭代器。在大多数情况下,这最终会节省内存,并应该使程序运行得更快。
如果你最终要做的只是遍历这个列表,甚至不需要将它转换为列表,因为你仍然可以像这样遍历map对象:
# Prints "ABCD"
for ch in map(chr,[65,66,67,68]):
print(ch)
列表返回映射函数具有节省输入的优点,特别是在交互式会话期间。你可以定义lmap函数(类似于python2的imap),返回list:
lmap = lambda func, *iterable: list(map(func, *iterable))
然后调用lmap而不是map将完成工作:
Lmap (str, x)比list(map(str, x))短5个字符(在本例中为30%),并且肯定比[str(v) for v in x]短。你也可以为filter创建类似的函数。
对最初的问题有一个评论:
我建议重命名为Getting map()以在Python 3中返回一个列表。*因为它适用于所有Python3版本。有办法做到这一点吗?- meawoppl 1月24日17:58
这是可能的,但这是一个非常糟糕的主意。为了好玩,以下是你可以(但不应该)这样做的方法:
__global_map = map #keep reference to the original map
lmap = lambda func, *iterable: list(__global_map(func, *iterable)) # using "map" here will cause infinite recursion
map = lmap
x = [1, 2, 3]
map(str, x) #test
map = __global_map #restore the original map and don't do that again
map(str, x) #iterator
Python 3.5的新功能:
[*map(chr, [66, 53, 0, 94])]
感谢附加的拆包概括
更新
我一直在寻找更短的方法,我发现这个方法也很有效:
*map(chr, [66, 53, 0, 94]),
在元组中也可以解包。注意结尾的逗号。这使它成为一个只有1个元素的元组。也就是说,它等价于(*map(chr, [66, 53, 0,94]),)
它比带列表括号的版本只短了一个字符,但是,在我看来,写起来更好,因为你直接从星号开始——展开语法,所以我觉得它更容易理解。:)