Created
February 19, 2020 17:54
-
-
Save mayankdawar/ffbe007ca4344cda8133e32069df42ba to your computer and use it in GitHub Desktop.
Challenge For each word in words, add ‘d’ to the end of the word if the word ends in “e” to make it past tense. Otherwise, add ‘ed’ to make it past tense. Save these past tense words to a list called past_tense.
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
words = ["adopt", "bake", "beam", "confide", "grill", "plant", "time", "wave", "wish"] | |
past_tense = [] | |
for i in words: | |
if(i[len(i)-1] == 'e'): | |
i += 'd' | |
else: | |
i += 'ed' | |
past_tense.append(i) |
Hi!. I realized adding little bit of explanation will help new coder's to understand the code better. :)
words = ["adopt", "bake", "beam", "confide", "grill", "plant", "time", "wave", "wish"]
//creating an empty list named "past_tense"
past_tense = []
for i in words:
if i[-1] == "e": // i[-1] indicates the last element of the i's
i = i+ "d"
past_tense.append(i) // The append() method adds an item to the end of the list.
else:
i = i + "ed"
past_tense.append(i)
print(past_tense)
words = ["adopt", "bake", "beam", "confide", "grill", "plant", "time", "wave", "wish"]
past_tense=[]
for i in words:
if i[-1]=="e":
past_tense.append(i+"d")
else:
past_tense.append(i+"ed")
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment
A step-by-step guide I made:
words = ["adopt", "bake", "beam", "confide", "grill", "plant", "time", "wave", "wish"]
past_tense = [] #create an empty list.
for word in words: #create an interative for every word in the list "words".
if word[-1] == "e": #conditional statement for last letter of word being "e".
word += "d" #add "d" if ends in "e" and update the value of "word".
past_tense.append(word) #paste the last record of "word" in the list "past_tense".
else: #otherwise, if the last letter of "word" is not "e".
word += "ed" #add "ed" to "word" and update its value.
past_tense.append(word) #add the last recorded value of "word" in the list.
print(past_tense) #print the "past_tense" list of new words.