import textwrap
def get_coord(x,matrix):
code = 'ADFGVX'
for i in range(len(matrix)):
for a in range(len(matrix[i])):
if matrix[i][a] == x:
return code[i] + code[a]
return -1, -1
def encode(message, secret_alphabet, keyword):
message = ''.join(message.split()).lower()
matrix = [secret_alphabet[i * 6:(i+1) * 6] for i in range(6)]
first = ''
lk = len(keyword)
for i in message:
first += get_coord(i, matrix)
first = textwrap.wrap(first, lk)
encode("I am going",
"dhxmu4p3j6aoibzv9w1n70qkfslyc8tr5e2g",
"cipher")
我有一个字符串列表,我需要将它们压缩在一起以创建列。我用textwrap
创建了这个列表:
第一次缠绕后我得到:
['FADVAG', 'XXDXFA', 'GDXX']
我需要我的输出看起来像:
['FXG', 'AXD', 'DDX', 'VXX', 'AF', 'GX']
我该如何实现此目的?
一种itertools.zip_longest
和str.join
的方法:
>>> from itertools import zip_longest
>>> [''.join(item) for item in zip_longest('FADVAG', 'XXDXFA', 'GDXX', fillvalue='')]
['FXG', 'AXD', 'DDX', 'VXX', 'AF', 'GA']
但是,这不会产生您想要的第三个也是最后一个项目。这是原始帖子中的错误吗?