5

我有两个清单:

country_name = ['South Africa', 'India', 'United States']
country_code = ['ZA', 'IN', 'US']

我想把国名和对应的代码分组在一起,然后进行排序操作做一些处理

当我尝试压缩这两个列表时,我从两个列表中获取第一个字符作为输出。

我也试过这样做:

for i in xrange(0,len(country_code):
     zipped = zip(country_name[i][:],country_code[i][:])
     ccode.append(zipped)

压缩整个字符串,但它没有用。此外,我不确定压缩 2 列表后,我是否能够对结果列表进行排序。

4

2 回答 2

7

你用zip()错了;将它与两个列表一起使用:

zipped = zip(country_name, country_code)

您将其分别应用于每个国家/地区名称和国家/地区代码

>>> zip('South Africa', 'ZA')
[('S', 'Z'), ('o', 'A')]

zip()通过配对每个元素来组合两个输入序列;在字符串中,单个字符是序列的元素。因为国家代码中只有两个字符,所以最终会得到两个元素的列表,每个元素都是成对字符的元组。

将两个列表组合成一个新列表后,您当然可以对该列表进行排序,无论是在第一个元素还是第二个元素上:

>>> zip(country_name, country_code)
[('South Africa', 'ZA'), ('India', 'IN'), ('United States', 'US')]
>>> sorted(zip(country_name, country_code))
[('India', 'IN'), ('South Africa', 'ZA'), ('United States', 'US')]
>>> from operator import itemgetter
>>> sorted(zip(country_name, country_code), key=itemgetter(1))
[('India', 'IN'), ('United States', 'US'), ('South Africa', 'ZA')]
于 2013-07-30T07:34:24.163 回答
5

答案在您的问题中-使用zip

>>> country_name = ['South Africa', 'India', 'United States']
>>> country_code = ['ZA', 'IN', 'US']
>>> zip(country_name, country_code)
[('South Africa', 'ZA'), ('India', 'IN'), ('United States', 'US')]

如果您有不同长度的列表,您可以使用itertools.izip_longest

>>> from itertools import izip_longest
>>> country_name = ['South Africa', 'India', 'United States', 'Netherlands']
>>> country_code = ['ZA', 'IN', 'US']
>>> list(izip_longest(country_name, country_code))
[('South Africa', 'ZA'), ('India', 'IN'), ('United States', 'US'), ('Netherlands', None)]
于 2013-07-30T07:34:57.203 回答