'Printing individual letters in a list

I am writing a program that takes a statement or phrase from a user and converts it to an acronym.

It should look like:

Enter statement here:
> Thank god it's Friday
Acronym : TGIF

The best way I have found to accomplish this is through a list and using .split() to separate each word into its own string and am able to isolate the first letter of the first item, however when I try to modify the program for the following items by changing to print statement to:

print("Acronym :", x[0:][0])

it just ends up printing the entirety of the letters in the first item.

Here's what I have gotten so far, however it only prints the first letter of the first item...

acroPhrase = str(input("Enter a sentence or phrase : "))     
acroPhrase = acroPhrase.upper()  

x = acroPhrase.split(" ")  
    print("Acronym :", x[0][0])


Solution 1:[1]

Using re.sub with a callback we can try:

inp = "Peas porridge hot"
output = re.sub(r'(\S)\S*', lambda m: m.group(1).upper(), inp)
print(output)  # PPH

Solution 2:[2]

acroPhrase = str(input("Enter a sentence or phrase : "))     
acroPhrase = acroPhrase.upper()  

x = acroPhrase.split(" ")  
result = ''
for i in x:
    word = list(i)
    result+=word[0]

print(result)

Solution 3:[3]

The code needs to iterate through the .split result. For example, using a list comprehension:

inp = "Thank god its friday"
inp = inp.split()
first_lets = [word[0] for word in inp]

Sources

This article follows the attribution requirements of Stack Overflow and is licensed under CC BY-SA 3.0.

Source: Stack Overflow

Solution Source
Solution 1 Tim Biegeleisen
Solution 2 playerJX1
Solution 3 Karl Knechtel