Statements

1. Use for, .split(), and if to create a Statement that will print out words that start with 's':

st = 'Print only the words that start with s in this sentence'

Use for, .split(), and if

for word in st.split():    
    if word[0] == 's':  
        print(word)  

2. Use range() to print all the even numbers from 0 to 10.

Answer

list(range(0,11,2))

3. Use a List Comprehension to create a list of all numbers between 1 and 50 that are divisible by 3.

Answer

[x for x in range(1,51) if x%3 == 0]

4. Go through the string below and if the length of a word is even print "even!"

st = 'Print every word in this sentence that has an even number of letters'

Answer

for word in st.split():
    if len(word)%2 == 0:
        print(word+" <-- has an even length!")

5. Use List Comprehension to create a list of the first letters of every word in the string below:

Answer

[word[0] for word in st.split()]

6. Write a program that prints the integers from 1 to 100.

But for multiples of three print "Fizz" instead of the number, and for the multiples of five print "Buzz". For numbers which are multiples of both three and five print "FizzBuzz".

Answer

for num in range(1,101):
    if num % 3 == 0 and num % 5 == 0:
        print("FizzBuzz")
    elif num % 3 == 0:
        print("Fizz")
    elif num % 5 == 0:
        print("Buzz")
    else:
        print(num)