6

I have a tuple of strings that consists of two sentences

a = ('What', 'happened', 'then', '?', 'What', 'would', 'you', 'like', 'to', 'drink','?')

I tried this

for i,j in enumerate(a):
print i,j

which gives

0 What
1 happened
2 then
3 ?
4 What
5 would
6 you
7 like
8 to
9 drink
10 ?

whereas what I need is this

0 What
1 happened
2 then
3 ?
0 What
1 would
2 you
3 like
4 to
5 drink
6?
user3635159
  • 157
  • 2
  • 11

3 Answers3

7

The simplest would be to manually increase i instead of relying on enumerate and reset the counter on the character ?, . or !.

i = 0
for word in sentence:
    print i, word

    if word in ('.', '?', '!'):
        i = 0
    else:
        i += 1
jeromej
  • 10,508
  • 2
  • 43
  • 62
1

Overly complicated maybe. The solution of @JeromeJ is cleaner I think. But:

a=('What', 'happened', 'then', '?', 'What', 'would', 'you', 'like', 'to', 'drink','?')
start = 0
try: end = a.index('?', start)+1
except: end = 0

while a[start:end]:
    for i,j in enumerate(a[start:end]):
        print i,j
    start = end
    try: end = a.index('?', start)+1
    except: end = 0
UlfR
  • 4,175
  • 29
  • 45
1

One more:

from itertools import chain

for n,c in chain(enumerate(a[:a.index('?')+1]), enumerate(a[a.index('?')+1:])):
    print "{} {}".format(n,i)
   ....:
0 What
1 happened
2 then
3 ?
0 What
1 would
2 you
3 like
4 to
5 drink
6 ?
salparadise
  • 5,699
  • 1
  • 26
  • 32