combine list of lists in python (similar to string.join but as a list comprehension?)

Question:

If you had a long list of lists in the format [['A',1,2],['B',3,4]] and you wanted to combine it into ['A, 1, 2', 'B, 3, 4'] is there a easy list comprehension way to do so?

I do it like this:

this_list = [['A',1,2],['B',3,4]]
final = list()
for x in this_list:
     final.append(', '.join([str(x) for x in x]))

But is this possible to be done as a one-liner?

Thanks for the answers. I like the map() based one. I have a followup question – if the sublists were instead of the format ['A',0.111,0.123456] would it be possible to include a string formatting section in the list comprehension to truncate such as to get out 'A, 0.1, 0.12'

Once again with my ugly code it would be like:

this_list = [['A',0.111,0.12345],['B',0.1,0.2]]
final = list()
for x in this_list:
    x = '{}, {:.1f}, {:.2f}'.format(x[0], x[1], x[2])
    final.append(x)

I solved my own question:

values = ['{}, {:.2f}, {:.3f}'.format(c,i,f) for c,i,f in values]
Asked By: Ian Fiddes

||

Answers:

>>> lis = [['A',1,2],['B',3,4]]
>>> [', '.join(map(str, x)) for x in lis ]
['A, 1, 2', 'B, 3, 4']
Answered By: Ashwini Chaudhary

You can use nested list comprehensions with str.join:

>>> lst = [['A',1,2],['B',3,4]]
>>> [", ".join([str(y) for y in x]) for x in lst]
['A, 1, 2', 'B, 3, 4']
>>>
Answered By: user2555451
li = [['A',1,2],['B',3,4],['A',0.111,0.123456]]

print    [', '.join(map(str,sli)) for sli in li]


def func(x):
    try:
        return str(int(str(x)))
    except:
        try:
            return '%.2f' % float(str(x))
        except:
            return str(x)

print map(lambda subli: ', '.join(map(func,subli)) , li)

return

['A, 1, 2', 'B, 3, 4', 'A, 0.111, 0.123456']
['A, 1, 2', 'B, 3, 4', 'A, 0.11, 0.12']
Answered By: eyquem
Categories: questions Tags: ,
Answers are sorted by their score. The answer accepted by the question owner as the best is marked with
at the top-right corner.