diffrence between for loop and the generator expression

77 Views Asked by At

I tried these two approaches to capitilize the first element of each word in string but i am unable to understand how the second approach is working.

s=input().split()

for i in s:
 
    print(' '.join(i.capitalize()))

this is the second approach

  a_string = input().split(' ')

  print(' '.join((word.capitalize() for word in a_string))) 

output is

input-----mike hussey

output 1

M i k e

H u s s e y

output 2

Mike Hussey
1

There are 1 best solutions below

4
On

So you have a list of 2 words in the example.

s = ['mike', 'hussey']

In the first attempt, you are looping through the words, and joining the letters with spaces, capitalizing the first one. Also multiple print statements, so there will be multiple lines, as you could see.

print(' '.join(i.capitalize())) #i = ['m', 'i', 'k', 'e']

At the second attempt, you are joining the words, capitalizing the first letter of each word, no spacing between the letters. Also there are one print statement, so one line output only.

print(' '.join((word.capitalize() for word in a_string))) #a_string = ['mike', 'hussey']

Second approach:

First of all, you have the list above. First, you are capitalizing each word with

word.capitalize() for word in a_string

Now your list looks like ['Mike', 'Hussey']. You are joining those words with spaces, so the output will be

Mike Hussey <-- space between the 2 capitalized words.

If you need spaces between the words, and new lines between the words, you should join the letter from each word with spaces, and join the words with new lines. Example:

print('\n'.join(' '.join(letter for letter in word) for word in a_string))