Course Content
Introduction to Python
Introduction to Python
What Is a List?
A list is a data type that can hold multiple items, which can be of various types such as numbers, strings, tuples, and more.
To create a list, simply place a series of comma-separated values or variables inside square brackets []
. Alternatively, you can convert other iterable objects (like strings, sets, or tuples) into lists using the list()
function.
For instance, let's craft a list that contains details about the USA (name of the country, its land area, and population):
# Create list US_Info = ["USA", 9629091, 331002651] print(US_Info)
Accessing elements within a list is similar to how you'd access characters in a string: through indexing and slicing. For instance, if we wanted to retrieve both the land area and population data, we'd target the second (index 1
) and third (index 2
) items in the list US_Info
. When slicing, you specify the start and end positions using a colon :
.
Note
Remember that the upper limit of the slice is not included. Hence, to retrieve these two elements, the slicing syntax
[1:3]
should be used.
Check out the example provided:
# Getting area and population US_Info = ["USA", 9629091, 331002651] print(US_Info[1:3])
Thanks for your feedback!