Concatenate lists of strings item-wise in Python

13

1

This is a question for golfing in .

Suppose you have two lists of strings, and you want to concatenate the corresponding entries from each list. E.g. with a=list("abcd") and b=list("1234"), calculate ["a1","b2","c3","d4"].

This is trivial in array-based programming languages, where operations generally apply memberwise to lists. For example, in my golfing language Pip, the code is simply a.b. But in Python, it's not so easy.

The Pythonic way is probably to use zip and a list comprehension (25 chars):

[x+y for x,y in zip(a,b)]

Another method is map with a lambda function (23):

map(lambda x,y:x+y,a,b)

The following is the shortest I've come up with (21):

map("".join,zip(a,b))

Is there any shorter method?

Assume that the lists are the same length and that some kind of iterable is all that's needed (so a map object is fine in Python 3).

DLosc

Posted 2015-05-06T01:17:16.873

Reputation: 21 213

possible duplicate of Tips for golfing in Python

– Mast – 2015-05-06T12:29:31.687

@Mast Does the tips list contain an answer which addresses this specific question? – Martin Ender – 2015-05-06T18:23:11.777

@MartinBüttner If it isn't, it should. Prevents cluttering and keeps all the tricks togeter, etc. – Mast – 2015-05-06T19:47:44.153

Answers

14

20 chars

map(str.__add__,a,b)

Uses the build-in method string addition method __add__ that is invoked by + on strings in place of your anonymous function lambda x,y:x+y.

xnor

Posted 2015-05-06T01:17:16.873

Reputation: 115 687

You know, I thought of str.__add__ but for some reason didn't check to see if it was shorter. – DLosc – 2015-05-06T02:20:04.357

1@DLosc the real advantage of this answer is using map with multiple iterables, which dis the zipping automatically. Without that it wouldn't be shorter. Note that if in your code you have to access some of the __*__ methods it may be shorter to do from operator import * and then use map(add,a,b). – Bakuriu – 2015-05-06T06:38:50.857