user415663
user415663

Reputation: 795

Splitting characters in string

I have a string such as '01301347' and I want to split it into something like '01-13-30-01-13-34-47'.

Is it possible to do something like this using split()?

Upvotes: 0

Views: 97

Answers (3)

ovgolovin
ovgolovin

Reputation: 13410

>>> from operator import add
>>> from itertools import starmap
>>> '-'.join(starmap(add,zip(*[iter(s)]*2)))
'01-30-13-47'

Explanation:

>>> zip(*[iter(s)]*2)
[('0', '1'), ('3', '0'), ('1', '3'), ('4', '7')]

add is equivalent for +: a + b = add(a,b)

starmap applies function to unpacked list of arguments from each value from iterable.

>>> list(starmap(add,zip(*[iter(s)]*2)))
['01', '30', '13', '47']

Lastly we just join them:

>>> '-'.join(starmap(add,zip(*[iter(s)]*2)))
'01-30-13-47'

By the way, we can avoid having to use starmap and add by writing it in a bit different way:

>>> '-'.join(map(''.join,zip(*[iter(s)]*2)))
'01-30-13-47'

Upvotes: 0

Rohit Jain
Rohit Jain

Reputation: 213193

>>> s = '01301347'
>>> '-'.join(s[i:i+2] for i in range(0, len(s) - 1))
'01-13-30-01-13-34-47'

or you can use:

>>> '-'.join(a+b for a,b in zip(s, s[1:]))
'01-13-30-01-13-34-47'

Upvotes: 1

inspectorG4dget
inspectorG4dget

Reputation: 113905

You want to splice and join, not split:

'-'.join(mystr[i:i+2] for i in xrange(0, len(mystr)-1))

You could also use itertools.islice and itertools.izip:

'-'.join((a+b for a,b in itertools.izip(mystr, itertools.islice(mystr, 1, len(mystr)))))

Upvotes: 3

Related Questions