An acronym is a word formed from the initial letters of words in a set phrase. Write a program whose input is a phrase and whose output is an acronym of the input. If a word begins with a lower case letter, don't include that letter in the acronym. Assume there will be at least one upper case letter in the input.

Respuesta :

Answer:

text = input("enter text: ")  

acronym = ' '

for c in text:

   if c.isupper():

       acronym += c

list(acronym)

       

print('.'.join(acronym))

Explanation:

The programming language used is Python.

Step 1:

text = input("enter text: ")  

acronym = ' '

The program prompts the user to enter a text and then we declare a variable that will hold a string called acronym.

There are two variables here the "text" and the "acronym".

Step 2:

for c in text:

   if c.isupper():

       acronym += c

The for loop here looks for any character i.e every letter in the text from the first to the last.

The if statement checks if that character is a upper case i.e (A-Z). if it is upper case it takes that character/letter and stores it in the string variable acronym which we declared in step 1.

Note: at this point you already have your acronym but it is not separated by a dot (.) i.e Greg Fisher would result in GF not G.F.

In order to achieve this step 3 and 4 is needed.

Step 3:

list(acronym)

The list function here breaks up every letter in the word and places them in a list. using the Greg Fisher example, you now have [G, F] not GF.

Step 4:

print(' .'.join(acronym))

This step Joins the list together again   ' .'  .join(acronym) but this time a dot(.) is used as the separator  and [G,F] now becomes GF.

Ver imagen jehonor

The acronym will be gotten from the phrase by using loops.

Loops are used to perform iterative and repetitive operations.

The program in Python is as follows, where comments are used to explain each line.

#This gets input for the phrase

phrase = input("Phrase: ")  

#This initializes the output string

result = ''

#This iterates through each word in the phrase

for word in phrase:

   #If the first letter of the current word is upper case,

   if word.isupper():

       #The first letter is taken as part of the acronym

       result += word

#This prints the acronym

print(result)

The program is implemented using a for loop.

Read more about similar programs at:

https://brainly.com/question/15300509