In this notebook, you will learn to store more than one valuable in a single variable.
This by itself is one of the most powerful ideas in programming, and it introduces a number of other central concepts such as loops.
If this section ends up making sense to you, you will be able to start writing some interesting programs, and you can be more confident that you will be able to develop overall competence as a programmer.
In [3]:
students = ['bernice', 'aaron', 'cody']
for student in students:
print("Hello, " + student.title() + "!")
Since lists are collection of objects, it is good practice to give them a plural name. If each item in your list is a car, call the list 'cars'. If each item is a dog, call your list 'dogs'. This gives you a straightforward way to refer to the entire list ('dogs'), and to a single item in the list ('dog').
In Python, square brackets designate a list. To define a list, you give the name of the list, the equals sign, and the values you want to include in your list within square brackets.
In [ ]:
dogs = ['border collie',
'australian cattle dog',
'labrador retriever']
To access the first element in a list, you give the name of the list, followed by a zero in parentheses.
In [18]:
dogs = ['border collie',
'australian cattle dog',
'labrador retriever']
dog = dogs[0]
print(dog.title())
The number in parentheses is called the index of the item.
Because lists start at zero, the index of an item is always one less than its position in the list.
Because of that, Python is said to be a zero-indexed
language (as many others, like C
, or Java
)
So to get the second item in the list, we need to use an index of 1, and so on..
In [7]:
dog = dogs[1]
print(dog.title())
In [8]:
dog = dogs[-1]
print(dog.title())
This syntax also works for the second to last item, the third to last, and so forth.
In [32]:
dog = dogs[-2]
print(dog.title())
You can't use a negative number larger than the length of the list, however.
In [33]:
dog = dogs[-4]
print(dog.title())
In [ ]:
# Ex 3.1 : First List
# put your code here
In [ ]:
# Ex 3.2 : First Neat List
# put your code here
In [ ]:
# Ex 3.3 : Your First List
# put your code here
This is one of the most important concepts related to lists. You can have a list with a million items in it, and in three lines of code you can write a sentence for each of those million items. If you want to understand lists, and become a competent programmer, make sure you take the time to understand this section.
We use a loop to access all the elements in a list. A loop is a block of code that repeats itself until it runs out of items to work with, or until a certain condition is met. In this case, our loop will run once for every item in our list. With a list that is three items long, our loop will run three times.
Let's take a look at how we access all the items in a list, and then try to understand how it works.
In [15]:
dogs = ['border collie', 'australian cattle dog', 'labrador retriever']
for dog in dogs:
print(dog)
We have already seen how to create a list, so we are really just trying to understand how the last two lines work. These last two lines make up a loop, and the language here can help us see what is happening:
for dog in dogs:
We can do whatever we want with the value of "dog" inside the loop. In this case, we just print the name of the dog.
print(dog)
We are not limited to just printing the word dog. We can do whatever we want with this value, and this action will be carried out for every item in the list.
Let's say something about each dog in our list.
In [16]:
dogs = ['border collie', 'australian cattle dog', 'labrador retriever']
for dog in dogs:
print('I like ' + dog + 's.')
In [18]:
dogs = ['border collie', 'australian cattle dog', 'labrador retriever']
for dog in dogs:
print('I like ' + dog + 's.')
print('No, I really really like ' + dog +'s!\n')
print("\nThat's just how I feel about dogs.")
Notice that the last line only runs once, after the loop is completed. Also notice the use of newlines ("\n") to make the output easier to read.
In [4]:
dogs = ['border collie', 'australian cattle dog', 'labrador retriever']
print("Results for the dog show are as follows:\n")
for index, dog in enumerate(dogs):
place = str(index)
print("Place: " + place + " Dog: " + dog.title())
To enumerate a list, you need to add an index variable to hold the current index. So instead of
for dog in dogs:
You have
for index, dog in enumerate(dogs)
The value in the variable index is always an integer. If you want to print it in a string, you have to turn the integer into a string:
str(index)
The index always starts at 0, so in this example the value of place should actually be the current index, plus one:
In [5]:
dogs = ['border collie', 'australian cattle dog', 'labrador retriever']
print("Results for the dog show are as follows:\n")
for index, dog in enumerate(dogs):
place = str(index + 1)
print("Place: " + place + " Dog: " + dog.title())
In [19]:
dogs = ['border collie', 'australian cattle dog', 'labrador retriever']
for dog in dogs:
print(dogs)
In this example, instead of printing each dog in the list, we print the entire list every time we go through the loop. Python puts each individual item in the list into the variable dog, but we never use that variable. Sometimes you will just get an error if you try to do this:
In [20]:
dogs = ['border collie', 'australian cattle dog', 'labrador retriever']
for dog in dogs:
print('I like ' + dogs + 's.')
The for
loop statement is the most widely used iteration mechanisms in Python.
Almost every structure in Python can be iterated (element by element) by a for
loop
In Python, also while
loops are permitted, but for
is the one you would see (and use) most of the time!
NOTE: The two keywords are permitted with while
loops as well!
In [ ]:
In [ ]:
# Ex 3.4 : First List - Loop
# put your code here
In [ ]:
# Ex 3.5 : First Neat List - Loop
# put your code here
In [ ]:
# Ex 3.6 : Your First List - Loop
# put your code here
In [2]:
dogs = ['border collie', 'australian cattle dog', 'labrador retriever']
dogs[0] = 'australian shepherd'
print(dogs)
In [11]:
dogs = ['border collie', 'australian cattle dog', 'labrador retriever']
print(dogs.index('australian cattle dog'))
This method returns a ValueError if the requested item is not in the list.
In [13]:
dogs = ['border collie', 'australian cattle dog', 'labrador retriever']
print(dogs.index('poodle'))
In [12]:
dogs = ['border collie', 'australian cattle dog', 'labrador retriever']
print('australian cattle dog' in dogs)
print('poodle' in dogs)
In [22]:
dogs = ['border collie', 'australian cattle dog', 'labrador retriever']
dogs.append('poodle')
for dog in dogs:
print(dog.title() + "s are cool.")
We can also insert items anywhere we want in a list, using the insert() function. We specify the position we want the item to have, and everything from that point on is shifted one position to the right. In other words, the index of every item after the new item is increased by one.
In [24]:
dogs = ['border collie', 'australian cattle dog', 'labrador retriever']
dogs.insert(1, 'poodle')
print(dogs)
Note that you have to give the position of the new item first, and then the value of the new item. If you do it in the reverse order, you will get an error.
Now that we know how to add items to a list after it is created, we can use lists more dynamically. We are no longer stuck defining our entire list at once.
A common approach with lists is to define an empty list, and then let your program add items to the list as necessary. This approach works, for example, when starting to build an interactive web site. Your list of users might start out empty, and then as people register for the site it will grow. This is a simplified approach to how web sites actually work, but the idea is realistic.
Here is a brief example of how to start with an empty list, start to fill it up, and work with the items in the list. The only new thing here is the way we define an empty list, which is just an empty set of square brackets.
In [25]:
# Create an empty list to hold our users.
usernames = []
# Add some users.
usernames.append('bernice')
usernames.append('cody')
usernames.append('aaron')
# Greet all of our users.
for username in usernames:
print("Welcome, " + username.title() + '!')
If we don't change the order in our list, we can use the list to figure out who our oldest and newest users are.
In [2]:
# Create an empty list to hold our users.
usernames = []
# Add some users.
usernames.append('bernice')
usernames.append('cody')
usernames.append('aaron')
# Greet all of our users.
for username in usernames:
print("Welcome, " + username.title() + '!')
# Recognize our first user, and welcome our newest user.
print("\nThank you for being our very first user, " + usernames[0].title() + '!')
print("And a warm welcome to our newest user, " + usernames[-1].title() + '!')
Note that the code welcoming our newest user will always work, because we have used the index -1. If we had used the index 2 we would always get the third user, even as our list of users grows and grows.
In [16]:
students = ['bernice', 'aaron', 'cody']
# Put students in alphabetical order.
students.sort()
# Display the list in its current order.
print("Our students are currently in alphabetical order.")
for student in students:
print(student.title())
#Put students in reverse alphabetical order.
students.sort(reverse=True)
# Display the list in its current order.
print("\nOur students are now in reverse alphabetical order.")
for student in students:
print(student.title())
Whenever you consider sorting a list, keep in mind that you can not recover the original order. If you want to display a list in sorted order, but preserve the original order, you can use the sorted() function. The sorted() function also accepts the optional reverse=True argument.
In [24]:
students = ['bernice', 'aaron', 'cody']
# Display students in alphabetical order, but keep the original order.
print("Here is the list in alphabetical order:")
for student in sorted(students):
print(student.title())
# Display students in reverse alphabetical order, but keep the original order.
print("\nHere is the list in reverse alphabetical order:")
for student in sorted(students, reverse=True):
print(student.title())
print("\nHere is the list in its original order:")
# Show that the list is still in its original order.
for student in students:
print(student.title())
In [17]:
students = ['bernice', 'aaron', 'cody']
students.reverse()
print(students)
Note that reverse is permanent, although you could follow up with another call to reverse() and get back the original order of the list.
In [29]:
numbers = [1, 3, 4, 2]
# sort() puts numbers in increasing order.
numbers.sort()
print(numbers)
# sort(reverse=True) puts numbers in decreasing order.
numbers.sort(reverse=True)
print(numbers)
In [30]:
numbers = [1, 3, 4, 2]
# sorted() preserves the original order of the list:
print(sorted(numbers))
print(numbers)
In [31]:
numbers = [1, 3, 4, 2]
# The reverse() function also works for numerical lists.
numbers.reverse()
print(numbers)
In [38]:
usernames = ['bernice', 'cody', 'aaron']
user_count = len(usernames)
print(user_count)
There are many situations where you might want to know how many items in a list. If you have a list that stores your users, you can find the length of your list at any time, and know how many users you have.
In [42]:
# Create an empty list to hold our users.
usernames = []
# Add some users, and report on how many users we have.
usernames.append('bernice')
user_count = len(usernames)
print("We have " + str(user_count) + " user!")
usernames.append('cody')
usernames.append('aaron')
user_count = len(usernames)
print("We have " + str(user_count) + " users!")
On a technical note, the len() function returns an integer, which can't be printed directly with strings. We use the str() function to turn the integer into a string so that it prints nicely:
In [43]:
usernames = ['bernice', 'cody', 'aaron']
user_count = len(usernames)
print("This will cause an error: " + user_count)
In [44]:
usernames = ['bernice', 'cody', 'aaron']
user_count = len(usernames)
print("This will work: " + str(user_count))
In [ ]:
# Ex 3.7 : Working List
# put your code here
In [ ]:
# Ex 3.8 : Starting From Empty
# put your code here
In [ ]:
# Ex 3.9 : Ordered Working List
# put your code here
In [ ]:
# Ex 3.10 : Ordered Numbers
# put your code here
In [ ]:
# Ex 3.11 : List Lengths
# put your code here
Hopefully you can see by now that lists are a dynamic structure. We can define an empty list and then fill it up as information comes into our program. To become really dynamic, we need some ways to remove items from a list when we no longer need them. You can remove items from a list through their position, or through their value.
In [30]:
dogs = ['border collie', 'australian cattle dog', 'labrador retriever']
# Remove the first dog from the list.
del dogs[0]
print(dogs)
You can also remove an item from a list if you know its value. To do this, we use the remove() function. Give the name of the list, followed by the word remove with the value of the item you want to remove in parentheses. Python looks through your list, finds the first item with this value, and removes it.
In [31]:
dogs = ['border collie', 'australian cattle dog', 'labrador retriever']
# Remove australian cattle dog from the list.
dogs.remove('australian cattle dog')
print(dogs)
Be careful to note, however, that only the first item with this value is removed. If you have multiple items with the same value, you will have some items with this value left in your list.
In [32]:
letters = ['a', 'b', 'c', 'a', 'b', 'c']
# Remove the letter a from the list.
letters.remove('a')
print(letters)
There is a cool concept in programming called "popping" items from a collection. Every programming language has some sort of data structure similar to Python's lists. All of these structures can be used as queues, and there are various ways of processing the items in a queue.
One simple approach is to start with an empty list, and then add items to that list. When you want to work with the items in the list, you always take the last item from the list, do something with it, and then remove that item. The pop() function makes this easy. It removes the last item from the list, and gives it to us so we can work with it.
This is easier to show with an example
In [35]:
dogs = ['border collie', 'australian cattle dog', 'labrador retriever']
last_dog = dogs.pop()
print(last_dog)
print(dogs)
This is an example of a first-in, last-out approach. The first item in the list would be the last item processed if you kept using this approach. We will see a full implementation of this approach later on, when we learn about while loops.
You can actually pop any item you want from a list, by giving the index of the item you want to pop. So we could do a first-in, first-out approach by popping the first iem in the list:
In [36]:
dogs = ['border collie', 'australian cattle dog', 'labrador retriever']
first_dog = dogs.pop(0)
print(first_dog)
print(dogs)
In [25]:
# Ex 3.12 : Famous People
fpeople = ['david bowie', 'robert plant', 'obama', 'taylor swift']
#Remove each person from the list, one at a time, using each of the four methods we have just seen
fpeople.remove('taylor swift')
print(fpeople)
del fpeople[2]
print(fpeople)
bowie=fpeople.pop(0)
print(bowie,fpeople)
last=fpeople.pop()
print('there are no more famous people in the list')
print(fpeople)
# put your code here
In [24]:
#Pop the last item from the list
fpeople = ['david bowie', 'robert plant', 'obama', 'taylor swift']
fpeople.pop()
print(fpeople)
# and pop any item except the last item.
fpeople = ['david bowie', 'robert plant', 'obama', 'taylor swift']
for _ in range(0,len(fpeople)-1):
fpeople.pop(0)
print(fpeople)
fpeople = ['david bowie', 'robert plant', 'obama', 'taylor swift']
fpeople.remove('obama')
del fpeople[2]
print(fpeople)
At this point, you might have noticed we have a fair bit of repetetive code in some of our examples. This repetition will disappear once we learn how to use functions. If this repetition is bothering you already, you might want to go look at Introducing Functions before you do any more exercises in this section.
Since a list is a collection of items, we should be able to get any subset of those items. For example, if we want to get just the first three items from the list, we should be able to do so easily. The same should be true for any three items in the middle of the list, or the last three items, or any x items from anywhere in the list. These subsets of a list are called slices.
To get a subset of a list, we give the position of the first item we want, and the position of the first item we do not want to include in the subset. So the slice list[0:3] will return a list containing items 0, 1, and 2, but not item 3.
Here is how you get a batch containing the first three items.
In [5]:
usernames = ['bernice', 'cody', 'aaron', 'ever', 'dalia']
# Grab the first three users in the list.
first_batch = usernames[0:3]
for user in first_batch:
print(user.title())
If you want to grab everything up to a certain position in the list, you can also leave the first index blank:
In [8]:
usernames = ['bernice', 'cody', 'aaron', 'ever', 'dalia']
# Grab the first three users in the list.
first_batch = usernames[:3]
for user in first_batch:
print(user.title())
When we grab a slice from a list, the original list is not affected:
In [6]:
usernames = ['bernice', 'cody', 'aaron', 'ever', 'dalia']
# Grab the first three users in the list.
first_batch = usernames[0:3]
# The original list is unaffected.
for user in usernames:
print(user.title())
We can get any segment of a list we want, using the slice method:
In [7]:
usernames = ['bernice', 'cody', 'aaron', 'ever', 'dalia']
# Grab a batch from the middle of the list.
middle_batch = usernames[1:4]
for user in middle_batch:
print(user.title())
To get all items from one position in the list to the end of the list, we can leave off the second index:
In [9]:
usernames = ['bernice', 'cody', 'aaron', 'ever', 'dalia']
# Grab all users from the third to the end.
end_batch = usernames[2:]
for user in end_batch:
print(user.title())
In [15]:
usernames = ['bernice', 'cody', 'aaron', 'ever', 'dalia']
# Make a copy of the list.
copied_usernames = usernames[:]
print("The full copied list:\n\t", copied_usernames)
# Remove the first two users from the copied list.
del copied_usernames[0]
del copied_usernames[0]
print("\nTwo users removed from copied list:\n\t", copied_usernames)
# The original list is unaffected.
print("\nThe original list:\n\t", usernames)
In [30]:
from string import ascii_lowercase
print(ascii_lowercase)
tenletters=ascii_lowercase[0:10]
print(tenletters)
In [35]:
# Ex 3.13 : Alphabet Slices
#Store the first ten letters of the alphabet in a list.
alphabet=tenletters[:]
#Use a slice to print out the first three letters of the alphabet.
print(alphabet[:3])
#Use a slice to print out any three letters from the middle of your list.
print(alphabet[6:9])
#Use a slice to print out the letters from any point in the middle of your list, to the end.
print(alphabet[6:])
# put your code here
In [45]:
# Ex 3.14 : Protected List
#Your goal in this exercise is to prove that copying a list protects the original list.
#Make a list with three people's names in it.
names=['alice','anna','ada']
#Use a slice to make a copy of the entire list.
copied_names=names[:]
#Add at least two new names to the new copy of the list.
copied_names.append('agata')
copied_names.append('aurora')
#Make a loop that prints out all of the names in the original list, along with a message that this is the original list.
print('This is the original list:')
for name in names:
print(name.title())
#Make a loop that prints out all of the names in the copied list, along with a message that this is the copied list.
print('This is the copy: ')
for cname in copied_names:
print(cname.title())
print(copied_names)
#title the names in the original list
print (names)
copied_names = [i.title() for i in copied_names]
print(copied_names)
In [23]:
# Print out the first ten numbers.
numbers = [1, 2, 3, 4, 5, 6, 7, 8, 9, 10]
for number in numbers:
print(number)
In [24]:
# Print the first ten numbers.
for number in range(1,11):
print(number)
The range function takes in a starting number, and an end number. You get all integers, up to but not including the end number. You can also add a step value, which tells the range function how big of a step to take between numbers:
In [25]:
# Print the first ten odd numbers.
for number in range(1,21,2):
print(number)
If we want to store these numbers in a list, we can use the list() function. This function takes in a range, and turns it into a list:
In [26]:
# Create a list of the first ten numbers.
numbers = list(range(1,11))
print(numbers)
This is incredibly powerful; we can now create a list of the first million numbers, just as easily as we made a list of the first ten numbers. It doesn't really make sense to print the million numbers here, but we can show that the list really does have one million items in it, and we can print the last ten items to show that the list is correct.
In [31]:
# Store the first million numbers in a list.
numbers = list(range(1,1000001))
# Show the length of the list:
print("The list 'numbers' has " + str(len(numbers)) + " numbers in it.")
# Show the last ten numbers:
print("\nThe last ten numbers in the list are:")
for number in numbers[-10:]:
print(number)
There are two things here that might be a little unclear. The expression
str(len(numbers))
takes the length of the numbers list, and turns it into a string that can be printed.
The expression
numbers[-10:]
gives us a slice of the list. The index -1
is the last item in the list, and the index -10
is the item ten places from the end of the list. So the slice numbers[-10:]
gives us everything from that item to the end of the list.
There are three functions you can easily use with numerical lists. As you might expect, the min() function returns the smallest number in the list, the max() function returns the largest number in the list, and the sum() function returns the total of all numbers in the list.
In [39]:
ages = [23, 16, 14, 28, 19, 11, 38]
youngest = min(ages)
oldest = max(ages)
total_years = sum(ages)
print("Our youngest reader is " + str(youngest) + " years old.")
print("Our oldest reader is " + str(oldest) + " years old.")
print("Together, we have " + str(total_years) +
" years worth of life experience.")
In [47]:
# Ex 3.15 : First Twenty
twenties=list(range(1,21))
for n in twenties:
print(n)
# put your code here
In [51]:
# Ex 3.16 : Larger Sets
millions=list(range(0,int(1e6)))
len(millions)
# put your code here
Out[51]:
In [71]:
# Ex 3.17 : Five Wallets
#Imagine five wallets with different amounts of cash in them. Store these five values in a list,
#and print out the following sentences:
#"The fattest wallet has ∗value∗init."−"Theskinniestwallethas value in it."
#"All together, these wallets have $ value in them."
from random import randint
wallets = [ [randint(1,100) for _ in range(randint(2,10))] for _ in range(5) ]
print(wallets)
amounts = [ sum(wallet) for wallet in wallets ]
print(amounts)
print('The fattest wallet has {} in it'.format(max(amounts)))
print('All together, these wallets have {} value in them'.format(sum(amounts)))
print('The thinnest wallet has {} in it'.format(min(amounts)))
I thought carefully before including this section. If you are brand new to programming, list comprehensions may look confusing at first. They are a shorthand way of creating and working with lists. It is good to be aware of list comprehensions, because you will see them in other people's code, and they are really useful when you understand how to use them. That said, if they don't make sense to you yet, don't worry about using them right away. When you have worked with enough lists, you will want to use comprehensions. For now, it is good enough to know they exist, and to recognize them when you see them. If you like them, go ahead and start trying to use them now.
In [42]:
# Store the first ten square numbers in a list.
# Make an empty list that will hold our square numbers.
squares = []
# Go through the first ten numbers, square them, and add them to our list.
for number in range(1,11):
new_square = number**2
squares.append(new_square)
# Show that our list is correct.
for square in squares:
print(square)
This should make sense at this point. If it doesn't, go over the code with these thoughts in mind:
Now let's make this code more efficient. We don't really need to store the new square in its own variable new_square; we can just add it directly to the list of squares. The line
new_square = number**2
is taken out, and the next line takes care of the squaring:
In [43]:
# Store the first ten square numbers in a list.
# Make an empty list that will hold our square numbers.
squares = []
# Go through the first ten numbers, square them, and add them to our list.
for number in range(1,11):
squares.append(number**2)
# Show that our list is correct.
for square in squares:
print(square)
List comprehensions allow us to collapse the first three lines of code into one line. Here's what it looks like:
In [44]:
# Store the first ten square numbers in a list.
squares = [number**2 for number in range(1,11)]
# Show that our list is correct.
for square in squares:
print(square)
It should be pretty clear that this code is more efficient than our previous approach, but it may not be clear what is happening. Let's take a look at everything that is happening in that first line:
We define a list called squares.
Look at the second part of what's in square brackets:
for number in range(1,11)
This sets up a loop that goes through the numbers 1-10, storing each value in the variable number. Now we can see what happens to each number in the loop:
number**2
Each number is raised to the second power, and this is the value that is stored in the list we defined. We might read this line in the following way:
squares = [raise number to the second power, for each number in the range 1-10]
In [45]:
# Make an empty list that will hold the even numbers.
evens = []
# Loop through the numbers 1-10, double each one, and add it to our list.
for number in range(1,11):
evens.append(number*2)
# Show that our list is correct:
for even in evens:
print(even)
Here's how we might think of doing the same thing, using a list comprehension:
evens = [multiply each number by 2, for each number in the range 1-10]
Here is the same line in code:
In [46]:
# Make a list of the first ten even numbers.
evens = [number*2 for number in range(1,11)]
for even in evens:
print(even)
In [47]:
# Consider some students.
students = ['bernice', 'aaron', 'cody']
# Let's turn them into great students.
great_students = []
for student in students:
great_students.append(student.title() + " the great!")
# Let's greet each great student.
for great_student in great_students:
print("Hello, " + great_student)
To use a comprehension in this code, we want to write something like this:
great_students = [add 'the great' to each student, for each student in the list of students]
Here's what it looks like:
In [48]:
# Consider some students.
students = ['bernice', 'aaron', 'cody']
# Let's turn them into great students.
great_students = [student.title() + " the great!" for student in students]
# Let's greet each great student.
for great_student in great_students:
print("Hello, " + great_student)
If these examples are making sense, go ahead and try to do the following exercises using comprehensions. If not, try the exercises without comprehensions. You may figure out how to use comprehensions after you have solved each exercise the longer way.
Write out the following code without using a list comprehension:
plus_thirteen = [number + 13 for number in range(1,11)]
In [ ]:
# Ex 3.18 : Multiples of Ten
# put your code here
In [ ]:
# Ex 3.19 : Cubes
# put your code here
In [ ]:
# Ex 3.20 : Awesomeness
# put your code here
In [ ]:
# Ex 3.21 : Working Backwards
# put your code here
In [1]:
message = "Hello!"
for letter in message:
print(letter)
We can create a list from a string. The list will have one element for each character in the string:
In [3]:
message = "Hello world!"
message_list = list(message)
print(message_list)
In [5]:
message = "Hello World!"
first_char = message[0]
last_char = message[-1]
print(first_char, last_char)
We can extend this to take slices of a string:
In [7]:
message = "Hello World!"
first_three = message[:3]
last_three = message[-3:]
print(first_three, last_three)
In [12]:
message = "I like cats and dogs."
dog_present = 'dog' in message
print(dog_present)
If you want to know where a substring appears in a string, you can use the find() method. The find() method tells you the index at which the substring begins.
In [13]:
message = "I like cats and dogs."
dog_index = message.find('dog')
print(dog_index)
Note, however, that this function only returns the index of the first appearance of the substring you are looking for. If the substring appears more than once, you will miss the other substrings.
In [19]:
message = "I like cats and dogs, but I'd much rather own a dog."
dog_index = message.find('dog')
print(dog_index)
If you want to find the last appearance of a substring, you can use the rfind() function:
In [22]:
message = "I like cats and dogs, but I'd much rather own a dog."
last_dog_index = message.rfind('dog')
print(last_dog_index)
You can use the replace() function to replace any substring with another substring. To use the replace() function, give the substring you want to replace, and then the substring you want to replace it with. You also need to store the new string, either in the same string variable or in a new variable.
In [24]:
message = "I like cats and dogs, but I'd much rather own a dog."
message = message.replace('dog', 'snake')
print(message)
In [25]:
message = "I like cats and dogs, but I'd much rather own a dog."
number_dogs = message.count('dog')
print(number_dogs)
Strings can be split into a set of substrings when they are separated by a repeated character. If a string consists of a simple sentence, the string can be split based on spaces. The split() function returns a list of substrings. The split() function takes one argument, the character that separates the parts of the string.
In [26]:
message = "I like cats and dogs, but I'd much rather own a dog."
words = message.split(' ')
print(words)
Notice that the punctuation is left in the substrings.
It is more common to split strings that are really lists, separated by something like a comma. The split() function gives you an easy way to turn comma-separated strings, which you can't do much with in Python, into lists. Once you have your data in a list, you can work with it in much more powerful ways.
In [27]:
animals = "dog, cat, tiger, mouse, liger, bear"
# Rewrite the string as a list, and store it in the same variable
animals = animals.split(',')
print(animals)
Notice that in this case, the spaces are also ignored. It is a good idea to test the output of the split() function and make sure it is doing what you want with the data you are interested in.
One use of this is to work with spreadsheet data in your Python programs. Most spreadsheet applications allow you to dump your data into a comma-separated text file. You can read this file into your Python program, or even copy and paste from the text file into your program file, and then turn the data into a list. You can then process your spreadsheet data using a for loop.
There are a number of other string methods that we won't go into right here, but you might want to take a look at them. Most of these methods should make sense to you at this point. You might not have use for any of them right now, but it is good to know what you can do with strings. This way you will have a sense of how to solve certain problems, even if it means referring back to the list of methods to remind yourself how to write the correct syntax when you need it.
In [ ]:
# Ex 3.22 : Listing a Sentence
# put your code here
In [ ]:
# Ex 3.23 : Sentence List
# put your code here
In [ ]:
# Ex 3.24 : Sentence Slices
# put your code here
In [ ]:
# Ex 3.25 : Finding Python
# put your code here
In [ ]:
# Challenge: Counting DNA Nucleotides
# Put your code here
In [ ]:
# Challenge: Transcribing DNA into RNA
# Put your code here
In [ ]:
# Challenge: Complementing a Strand of DNA
# Put your code here
Tuples are basically lists that can never be changed. Lists are quite dynamic; they can grow as you append and insert items, and they can shrink as you remove items. You can modify any element you want to in a list. Sometimes we like this behavior, but other times we may want to ensure that no user or no part of a program can change a list. That's what tuples are for.
Technically, lists are mutable objects and tuples are immutable objects. Mutable objects can change (think of mutations), and immutable objects can not change.
In [36]:
colors = ('red', 'green', 'blue')
print("The first color is: " + colors[0])
print("\nThe available colors are:")
for color in colors:
print("- " + color)
If you try to add something to a tuple, you will get an error:
In [37]:
colors = ('red', 'green', 'blue')
colors.append('purple')
The same kind of thing happens when you try to remove something from a tuple, or modify one of its elements. Once you define a tuple, you can be confident that its values will not change.
In [41]:
animal = 'dog'
print("I have a " + animal + ".")
This was especially useful when we had a series of similar statements to make:
In [42]:
animals = ['dog', 'cat', 'bear']
for animal in animals:
print("I have a " + animal + ".")
I like this approach of using the plus sign to build strings because it is fairly intuitive. We can see that we are adding several smaller strings together to make one longer string. This is intuitive, but it is a lot of typing. There is a shorter way to do this, using placeholders.
Python ignores most of the characters we put inside of strings. There are a few characters that Python pays attention to, as we saw with strings such as "\t" and "\n". Python also pays attention to "%s" and "%d". These are placeholders. When Python sees the "%s" placeholder, it looks ahead and pulls in the first argument after the % sign:
In [43]:
animal = 'dog'
print("I have a %s." % animal)
This is a much cleaner way of generating strings that include values. We compose our sentence all in one string, and then tell Python what values to pull into the string, in the appropriate places.
This is called string formatting, and it looks the same when you use a list:
In [44]:
animals = ['dog', 'cat', 'bear']
for animal in animals:
print("I have a %s." % animal)
If you have more than one value to put into the string you are composing, you have to pack the values into a tuple:
In [46]:
animals = ['dog', 'cat', 'bear']
print("I have a %s, a %s, and a %s." % (animals[0], animals[1], animals[2]))
In [47]:
number = 23
print("My favorite number is " + number + ".")
Python knows that you could be talking about the value 23, or the characters '23'. So it throws an error, forcing us to clarify that we want Python to treat the number as a string. We do this by casting the number into a string using the str() function:
In [48]:
number = 23
print("My favorite number is " + str(number) + ".")
The format string "%d" takes care of this for us. Watch how clean this code is:
In [49]:
number = 23
print("My favorite number is %d." % number)
If you want to use a series of numbers, you pack them into a tuple just like we saw with strings:
In [50]:
numbers = [7, 23, 42]
print("My favorite numbers are %d, %d, and %d." % (numbers[0], numbers[1], numbers[2]))
Just for clarification, look at how much longer the code is if you use concatenation instead of string formatting:
In [51]:
numbers = [7, 23, 42]
print("My favorite numbers are " + str(numbers[0]) + ", " + str(numbers[1]) + ", and " + str(numbers[2]) + ".")
You can mix string and numerical placeholders in any order you want.
In [53]:
names = ['eric', 'ever']
numbers = [23, 2]
print("%s's favorite number is %d, and %s's favorite number is %d." % (names[0].title(), numbers[0], names[1].title(), numbers[1]))
There are more sophisticated ways to do string formatting in Python 3, but we will save that for later because it's a bit less intuitive than this approach. For now, you can use whichever approach consistently gets you the output that you want to see.
In [1]:
# Ex 3.26 : Gymnast Scores
# put your code here
In [ ]:
# Ex 3.27 : Revision with Tuples
# put your code here
In [1]:
shapes = ['circle','square','triangle','circle']
set_of_shapes = set(shapes)
set_of_shapes
Out[1]:
In [7]:
shapes = {'circle','square','triangle','circle'}
for shape in set_of_shapes:
print(shape)
In [6]:
set_of_shapes.add('polygon')
print(set_of_shapes)
In [2]:
# Test if circle is IN the set (i.e. exist)
print('Circle is in the set: ', ('circle' in set_of_shapes))
print('Rhombus is in the set:', ('rhombus' in set_of_shapes))
In [3]:
favourites_shapes = set(['circle','triangle','hexagon'])
# Intersection
set_of_shapes.intersection(favourites_shapes)
Out[3]:
In [4]:
# Union
set_of_shapes.union(favourites_shapes)
Out[4]:
In [5]:
# Difference
set_of_shapes.difference(favourites_shapes)
Out[5]:
In [ ]:
# Overall Challenges: Programming Words
# Put your code here