Watch Now This tutorial has a related video course created by the Real Python team. Watch it together with the written tutorial to deepen your understanding: Explore Your Dataset With pandas
Do you have a large dataset that’s full of interesting insights, but you’re not sure where to start exploring it? Has your boss asked you to generate some statistics from it, but they’re not so easy to extract? These are precisely the use cases where pandas and Python can help you! With these tools, you’ll be able to slice a large dataset down into manageable parts and glean insight from that information.
In this tutorial, you’ll learn how to:
You’ll also learn about the differences between the main data structures that pandas and Python use. To follow along, you can get all of the example code in this tutorial at the link below:
There are a few things you’ll need to get started with this tutorial. First is a familiarity with Python’s built-in data structures, especially lists and dictionaries. For more information, check out Lists and Tuples in Python and Dictionaries in Python.
The second thing you’ll need is a working Python environment. You can follow along in any terminal that has Python 3 installed. If you want to see nicer output, especially for the large NBA dataset you’ll be working with, then you might want to run the examples in a Jupyter notebook.
The last thing you’ll need is pandas and other Python libraries, which you can install with pip:
Shell
You can also use the Conda package manager:
Shell
If you’re using the Anaconda distribution, then you’re good to go! Anaconda already comes with the pandas Python library installed.
The examples in this tutorial have been tested with Python 3.7 and pandas 0.25.0, but they should also work in older versions. You can get all the code examples you’ll see in this tutorial in a Jupyter notebook by clicking the link below:
Let’s get started!
Now that you’ve installed pandas, it’s time to have a look at a dataset. In this tutorial, you’ll analyze NBA results provided by FiveThirtyEight in a 17MB CSV file. Create a script download_nba_all_elo.py to download the data:
Python
When you execute the script, it will save the file nba_all_elo.csv in your current working directory.
Now you can use the pandas Python library to take a look at your data:
Python
Here, you follow the convention of importing pandas in Python with the pd alias. Then, you use .read_csv() to read in your dataset and store it as a DataFrame object in the variable nba.
You can see how much data nba contains:
Python
You use the Python built-in function len() to determine the number of rows. You also use the .shape attribute of the DataFrame to see its dimensionality. The result is a tuple containing the number of rows and columns.
Now you know that there are 126,314 rows and 23 columns in your dataset. But how can you be sure the dataset really contains basketball stats? You can have a look at the first five rows with .head():
Python
If you’re following along with a Jupyter notebook, then you’ll see a result like this:
Unless your screen is quite large, your output probably won’t display all 23 columns. Somewhere in the middle, you’ll see a column of ellipses (...) indicating the missing data. If you’re working in a terminal, then that’s probably more readable than wrapping long rows. However, Jupyter notebooks will allow you to scroll. You can configure pandas to display all 23 columns like this:
Python
While it’s practical to see all the columns, you probably won’t need six decimal places! Change it to two:
Python
To verify that you’ve changed the options successfully, you can execute .head() again, or you can display the last five rows with .tail() instead:
Python
Now, you should see all the columns, and your data should show two decimal places:
You can discover some further possibilities of .head() and .tail() with a small exercise. Can you print the last three lines of your DataFrame? Expand the code block below to see the solution:
Here’s how to print the last three lines of nba:
Python
Your output should look something like this:
You can see the last three lines of your dataset with the options you’ve set above.
Similar to the Python standard library, functions in pandas also come with several optional parameters. Whenever you bump into an example that looks relevant but is slightly different from your use case, check out the official documentation. The chances are good that you’ll find a solution by tweaking some optional parameters!
You’ve imported a CSV file with the pandas Python library and had a first look at the contents of your dataset. So far, you’ve only seen the size of your dataset and its first and last few rows. Next, you’ll learn how to examine your data more systematically.
The first step in getting to know your data is to discover the different data types it contains. While you can put anything into a list, the columns of a DataFrame contain values of a specific data type. When you compare pandas and Python data structures, you’ll see that this behavior makes pandas much faster!
You can display all columns and their data types with .info():
Python
This will produce the following output:
You’ll see a list of all the columns in your dataset and the type of data each column contains. Here, you can see the data types int64, float64, and object. pandas uses the NumPy library to work with these types. Later, you’ll meet the more complex categorical data type, which the pandas Python library implements itself.
The object data type is a special one. According to the pandas Cookbook, the object data type is “a catch-all for columns that pandas doesn’t recognize as any other specific type.” In practice, it often means that all of the values in the column are strings.
Although you can store arbitrary Python objects in the object data type, you should be aware of the drawbacks to doing so. Strange values in an object column can harm pandas’ performance and its interoperability with other libraries. For more information, check out the official getting started guide.
Now that you’ve seen what data types are in your dataset, it’s time to get an overview of the values each column contains. You can do this with .describe():
Python
This function shows you some basic descriptive statistics for all numeric columns:
.describe() only analyzes numeric columns by default, but you can provide other data types if you use the include parameter:
Python
.describe() won’t try to calculate a mean or a standard deviation for the object columns, since they mostly include text strings. However, it will still display some descriptive statistics:
Take a look at the team_id and fran_id columns. Your dataset contains 104 different team IDs, but only 53 different franchise IDs. Furthermore, the most frequent team ID is BOS, but the most frequent franchise ID Lakers. How is that possible? You’ll need to explore your dataset a bit more to answer this question.
Exploratory data analysis can help you answer questions about your dataset. For example, you can examine how often specific values occur in a column:
Python
It seems that a team named "Lakers" played 6024 games, but only 5078 of those were played by the Los Angeles Lakers. Find out who the other "Lakers" team is:
Python
Indeed, the Minneapolis Lakers ("MNL") played 946 games. You can even find out when they played those games. For that, you’ll first define a column that converts the value of date_game to the datetime data type. Then you can use the min and max aggregate functions, to find the first and last games of Minneapolis Lakers:
Python
It looks like the Minneapolis Lakers played between the years of 1948 and 1960. That explains why you might not recognize this team!
You’ve also found out why the Boston Celtics team "BOS" played the most games in the dataset. Let’s analyze their history also a little bit. Find out how many points the Boston Celtics have scored during all matches contained in this dataset. Expand the code block below for the solution:
Similar to the .min() and .max() aggregate functions, you can also use .sum():
Python
The Boston Celtics scored a total of 626,484 points.
You’ve got a taste for the capabilities of a pandas DataFrame. In the following sections, you’ll expand on the techniques you’ve just used, but first, you’ll zoom in and learn how this powerful data structure works.
While a DataFrame provides functions that can feel quite intuitive, the underlying concepts are a bit trickier to understand. For this reason, you’ll set aside the vast NBA DataFrame and build some smaller pandas objects from scratch.
Python’s most basic data structure is the list, which is also a good starting point for getting to know pandas.Series objects. Create a new Series object based on a list:
Python
You’ve used the list [5555, 7000, 1980] to create a Series object called revenues. A Series object wraps two components:
You can access these components with .values and .index, respectively:
Python
revenues.values returns the values in the Series, whereas revenues.index returns the positional index.
While pandas builds on NumPy, a significant difference is in their indexing. Just like a NumPy array, a pandas Series also has an integer index that’s implicitly defined. This implicit index indicates the element’s position in the Series.
However, a Series can also have an arbitrary type of index. You can think of this explicit index as labels for a specific row:
Python
Here, the index is a list of city names represented by strings. You may have noticed that Python dictionaries use string indices as well, and this is a handy analogy to keep in mind! You can use the code blocks above to distinguish between two types of Series:
revenues: This Series behaves like a Python list because it only has a positional index.city_revenues: This Series acts like a Python dictionary because it features both a positional and a label index.Here’s how to construct a Series with a label index from a Python dictionary:
Python
The dictionary keys become the index, and the dictionary values are the Series values.
Just like dictionaries, Series also support .keys() and the in keyword:
Python
You can use these methods to answer questions about your dataset quickly.
While a Series is a pretty powerful data structure, it has its limitations. For example, you can only store one attribute per key. As you’ve seen with the nba dataset, which features 23 columns, the pandas Python library has more to offer with its DataFrame. This data structure is a sequence of Series objects that share the same index.
If you’ve followed along with the Series examples, then you should already have two Series objects with cities as keys:
city_revenuescity_employee_countYou can combine these objects into a DataFrame by providing a dictionary in the constructor. The dictionary keys will become the column names, and the values should contain the Series objects:
Python
Note how pandas replaced the missing employee_count value for Toronto with NaN.
The new DataFrame index is the union of the two Series indices:
Python
Just like a Series, a DataFrame also stores its values in a NumPy array:
Python
You can also refer to the 2 dimensions of a DataFrame as axes:
Python
The axis marked with 0 is the row index, and the axis marked with 1 is the column index. This terminology is important to know because you’ll encounter several DataFrame methods that accept an axis parameter.
A DataFrame is also a dictionary-like data structure, so it also supports .keys() and the in keyword. However, for a DataFrame these don’t relate to the index, but to the columns:
Python
You can see these concepts in action with the bigger NBA dataset. Does it contain a column called "points", or was it called "pts"? To answer this question, display the index and the axes of the nba dataset, then expand the code block below for the solution:
Because you didn’t specify an index column when you read in the CSV file, pandas has assigned a RangeIndex to the DataFrame:
Python
nba, like all DataFrame objects, has two axes:
Python
You can check the existence of a column with .keys():
Python
The column is called "pts", not "points".
As you use these methods to answer questions about your dataset, be sure to keep in mind whether you’re working with a Series or a DataFrame so that your interpretation is accurate.
In the section above, you’ve created a pandas Series based on a Python list and compared the two data structures. You’ve seen how a Series object is similar to lists and dictionaries in several ways. A further similarity is that you can use the indexing operator ([]) for Series as well.
You’ll also learn how to use two pandas-specific access methods:
.loc.ilocYou’ll see that these data access methods can be much more readable than the indexing operator.
Recall that a Series has two indices:
RangeIndexNext, revisit the city_revenues object:
Python
You can conveniently access the values in a Series with both the label and positional indices:
Python
You can also use negative indices and slices, just like you would for a list:
Python
If you want to learn more about the possibilities of the indexing operator, then check out Lists and Tuples in Python.
.loc and .ilocThe indexing operator ([]) is convenient, but there’s a caveat. What if the labels are also numbers? Say you have to work with a Series object like this:
Python
What will colors[1] return? For a positional index, colors[1] is "purple". However, if you go by the label index, then colors[1] is referring to "red".
The good news is, you don’t have to figure it out! Instead, to avoid confusion, the pandas Python library provides two data access methods:
.loc refers to the label index..iloc refers to the positional index.These data access methods are much more readable:
Python
colors.loc[1] returned "red", the element with the label 1. colors.iloc[1] returned "purple", the element with the index 1.
The following figure shows which elements .loc and .iloc refer to:
Again, .loc points to the label index on the right-hand side of the image. Meanwhile, .iloc points to the positional index on the left-hand side of the picture.
It’s easier to keep in mind the distinction between .loc and .iloc than it is to figure out what the indexing operator will return. Even if you’re familiar with all the quirks of the indexing operator, it can be dangerous to assume that everybody who reads your code has internalized those rules as well!
.loc and .iloc also support the features you would expect from indexing operators, like slicing. However, these data access methods have an important difference. While .iloc excludes the closing element, .loc includes it. Take a look at this code block:
Python
If you compare this code with the image above, then you can see that colors.iloc[1:3] returns the elements with the positional indices of 1 and 2. The closing item "green" with a positional index of 3 is excluded.
On the other hand, .loc includes the closing element:
Python
This code block says to return all elements with a label index between 3 and 8. Here, the closing item "yellow" has a label index of 8 and is included in the output.
You can also pass a negative positional index to .iloc:
Python
You start from the end of the Series and return the second element.
You can use the code blocks above to distinguish between two Series behaviors:
.iloc on a Series similar to using [] on a list..loc on a Series similar to using [] on a dictionary.Be sure to keep these distinctions in mind as you access elements of your Series objects.
Since a DataFrame consists of Series objects, you can use the very same tools to access its elements. The crucial difference is the additional dimension of the DataFrame. You’ll use the indexing operator for the columns and the access methods .loc and .iloc on the rows.
If you think of a DataFrame as a dictionary whose values are Series, then it makes sense that you can access its columns with the indexing operator:
Python
Here, you use the indexing operator to select the column labeled "revenue".
If the column name is a string, then you can use attribute-style accessing with dot notation as well:
Python
city_data["revenue"] and city_data.revenue return the same output.
There’s one situation where accessing DataFrame elements with dot notation may not work or may lead to surprises. This is when a column name coincides with a DataFrame attribute or method name:
Python
The indexing operation toys["shape"] returns the correct data, but the attribute-style operation toys.shape still returns the shape of the DataFrame. You should only use attribute-style accessing in interactive sessions or for read operations. You shouldn’t use it for production code or for manipulating data (such as defining new columns).
.loc and .ilocSimilar to Series, a DataFrame also provides .loc and .iloc data access methods. Remember, .loc uses the label and .iloc the positional index:
Python
Each line of code selects a different row from city_data:
city_data.loc["Amsterdam"] selects the row with the label index "Amsterdam".city_data.loc["Tokyo": "Toronto"] selects the rows with label indices from "Tokyo" to "Toronto". Remember, .loc is inclusive.city_data.iloc[1] selects the row with the positional index 1, which is "Tokyo".Alright, you’ve used .loc and .iloc on small data structures. Now, it’s time to practice with something bigger! Use a data access method to display the second-to-last row of the nba dataset. Then, expand the code block below to see a solution:
The second-to-last row is the row with the positional index of -2. You can display it with .iloc:
Python
You’ll see the output as a Series object.
For a DataFrame, the data access methods .loc and .iloc also accept a second parameter. While the first parameter selects rows based on the indices, the second parameter selects the columns. You can use these parameters together to select a subset of rows and columns from your DataFrame:
Python
Note that you separate the parameters with a comma (,). The first parameter, "Amsterdam" : "Tokyo," says to select all rows between those two labels. The second parameter comes after the comma and says to select the "revenue" column.
It’s time to see the same construct in action with the bigger nba dataset. Select all games between the labels 5555 and 5559. You’re only interested in the names of the teams and the scores, so select those elements as well. Expand the code block below to see a solution:
First, define which rows you want to see, then list the relevant columns:
Python
You use .loc for the label index and a comma (,) to separate your two parameters.
You should see a small part of your quite huge dataset:
The output is much easier to read!
With data access methods like .loc and .iloc, you can select just the right subset of your DataFrame to help you answer questions about your dataset.
You’ve seen how to access subsets of a huge dataset based on its indices. Now, you’ll select rows based on the values in your dataset’s columns to query your data. For example, you can create a new DataFrame that contains only games played after 2010:
Python
You now have 24 columns, but your new DataFrame only consists of rows where the value in the "year_id" column is greater than 2010.
You can also select the rows where a specific field is not null:
Python
This can be helpful if you want to avoid any missing values in a column. You can also use .notna() to achieve the same goal.
You can even access values of the object data type as str and perform string methods on them:
Python
You use .str.endswith() to filter your dataset and find all games where the home team’s name ends with "ers".
You can combine multiple criteria and query your dataset as well. To do this, be sure to put each one in parentheses and use the logical operators | and & to separate them.
Do a search for Baltimore games where both teams scored over 100 points. In order to see each game only once, you’ll need to exclude duplicates:
Python
Here, you use nba["_iscopy"] == 0 to include only the entries that aren’t copies.
Your output should contain five eventful games:
Try to build another query with multiple criteria. In the spring of 1992, both teams from Los Angeles had to play a home game at another court. Query your dataset to find those two games. Both teams have an ID starting with "LA". Expand the code block below to see a solution:
You can use .str to find the team IDs that start with "LA", and you can assume that such an unusual game would have some notes:
Python
Your output should show two games on the day 5/3/1992:
Nice find!
When you know how to query your dataset with multiple criteria, you’ll be able to answer more specific questions about your dataset.
You may also want to learn other features of your dataset, like the sum, mean, or average value of a group of elements. Luckily, the pandas Python library offers grouping and aggregation functions to help you accomplish this task.
A Series has more than twenty different methods for calculating descriptive statistics. Here are some examples:
Python
The first method returns the total of city_revenues, while the second returns the max value. There are other methods you can use, like .min() and .mean().
Remember, a column of a DataFrame is actually a Series object. For this reason, you can use these same functions on the columns of nba:
Python
A DataFrame can have multiple columns, which introduces new possibilities for aggregations, like grouping:
Python
By default, pandas sorts the group keys during the call to .groupby(). If you don’t want to sort, then pass sort=False. This parameter can lead to performance gains.
You can also group by multiple columns:
Python
You can practice these basics with an exercise. Take a look at the Golden State Warriors’ 2014-15 season (year_id: 2015). How many wins and losses did they score during the regular season and the playoffs? Expand the code block below for the solution:
First, you can group by the "is_playoffs" field, then by the result:
Python
is_playoffs=0 shows the results for the regular season, and is_playoffs=1 shows the results for the playoffs.
In the examples above, you’ve only scratched the surface of the aggregation functions that are available to you in the pandas Python library. To see more examples of how to use them, check out pandas GroupBy: Your Guide to Grouping Data in Python.
You’ll need to know how to manipulate your dataset’s columns in different phases of the data analysis process. You can add and drop columns as part of the initial data cleaning phase, or later based on the insights of your analysis.
Create a copy of your original DataFrame to work with:
Python
You can define new columns based on the existing ones:
Python
Here, you used the "pts" and "opp_pts" columns to create a new one called "difference". This new column has the same functions as the old ones:
Python
Here, you used an aggregation function .max() to find the largest value of your new column.
You can also rename the columns of your dataset. It seems that "game_result" and "game_location" are too verbose, so go ahead and rename them now:
Python
Note that there’s a new object, renamed_df. Like several other data manipulation methods, .rename() returns a new DataFrame by default. If you want to manipulate the original DataFrame directly, then .rename() also provides an inplace parameter that you can set to True.
Your dataset might contain columns that you don’t need. For example, Elo ratings may be a fascinating concept to some, but you won’t analyze them in this tutorial. You can delete the four columns related to Elo:
Python
Remember, you added the new column "difference" in a previous example, bringing the total number of columns to 25. When you remove the four Elo columns, the total number of columns drops to 21.
When you create a new DataFrame, either by calling a constructor or reading a CSV file, pandas assigns a data type to each column based on its values. While it does a pretty good job, it’s not perfect. If you choose the right data type for your columns up front, then you can significantly improve your code’s performance.
Take another look at the columns of the nba dataset:
Python
You’ll see the same output as before:
Ten of your columns have the data type object. Most of these object columns contain arbitrary text, but there are also some candidates for data type conversion. For example, take a look at the date_game column:
Python
Here, you use .to_datetime() to specify all game dates as datetime objects.
Other columns contain text that are a bit more structured. The game_location column can have only three different values:
Python
Which data type would you use in a relational database for such a column? You would probably not use a varchar type, but rather an enum. pandas provides the categorical data type for the same purpose:
Python
categorical data has a few advantages over unstructured text. When you specify the categorical data type, you make validation easier and save a ton of memory, as pandas will only use the unique values internally. The higher the ratio of total values to unique values, the more space savings you’ll get.
Run df.info() again. You should see that changing the game_location data type from object to categorical has decreased the memory usage.
You’ll often encounter datasets with too many text columns. An essential skill for data scientists to have is the ability to spot which columns they can convert to a more performant data type.
Take a moment to practice this now. Find another column in the nba dataset that has a generic data type and convert it to a more specific one. You can expand the code block below to see one potential solution:
game_result can take only two different values:
Python
To improve performance, you can convert it into a categorical column:
Python
You can use df.info() to check the memory usage.
As you work with more massive datasets, memory savings becomes especially crucial. Be sure to keep performance in mind as you continue to explore your datasets.
You may be surprised to find this section so late in the tutorial! Usually, you’d take a critical look at your dataset to fix any issues before you move on to a more sophisticated analysis. However, in this tutorial, you’ll rely on the techniques that you’ve learned in the previous sections to clean your dataset.
Have you ever wondered why .info() shows how many non-null values a column contains? The reason why is that this is vital information. Null values often indicate a problem in the data-gathering process. They can make several analysis techniques, like different types of machine learning, difficult or even impossible.
When you inspect the nba dataset with nba.info(), you’ll see that it’s quite neat. Only the column notes contains null values for the majority of its rows:
This output shows that the notes column has only 5424 non-null values. That means that over 120,000 rows of your dataset have null values in this column.
Sometimes, the easiest way to deal with records containing missing values is to ignore them. You can remove all the rows with missing values using .dropna():
Python
Of course, this kind of data cleanup doesn’t make sense for your nba dataset, because it’s not a problem for a game to lack notes. But if your dataset contains a million valid records and a hundred where relevant data is missing, then dropping the incomplete records can be a reasonable solution.
You can also drop problematic columns if they’re not relevant for your analysis. To do this, use .dropna() again and provide the axis=1 parameter:
Python
Now, the resulting DataFrame contains all 126,314 games, but not the sometimes empty notes column.
If there’s a meaningful default value for your use case, then you can also replace the missing values with that:
Python
Here, you fill the empty notes rows with the string "no notes at all".
Invalid values can be even more dangerous than missing values. Often, you can perform your data analysis as expected, but the results you get are peculiar. This is especially important if your dataset is enormous or used manual entry. Invalid values are often more challenging to detect, but you can implement some sanity checks with queries and aggregations.
One thing you can do is validate the ranges of your data. For this, .describe() is quite handy. Recall that it returns the following output:
The year_id varies between 1947 and 2015. That sounds plausible.
What about pts? How can the minimum be 0? Let’s have a look at those games:
Python
This query returns a single row:
It seems the game was forfeited. Depending on your analysis, you may want to remove it from the dataset.
Sometimes a value would be entirely realistic in and of itself, but it doesn’t fit with the values in the other columns. You can define some query criteria that are mutually exclusive and verify that these don’t occur together.
In the NBA dataset, the values of the fields pts, opp_pts and game_result should be consistent with each other. You can check this using the .empty attribute:
Python
Fortunately, both of these queries return an empty DataFrame.
Be prepared for surprises whenever you’re working with raw datasets, especially if they were gathered from different sources or through a complex pipeline. You might see rows where a team scored more points than their opponent, but still didn’t win—at least, according to your dataset! To avoid situations like this, make sure you add further data cleaning techniques to your pandas and Python arsenal.
In the previous section, you’ve learned how to clean a messy dataset. Another aspect of real-world data is that it often comes in multiple pieces. In this section, you’ll learn how to grab those pieces and combine them into one dataset that’s ready for analysis.
Earlier, you combined two Series objects into a DataFrame based on their indices. Now, you’ll take this one step further and use .concat() to combine city_data with another DataFrame. Say you’ve managed to gather some data on two more cities:
Python
This second DataFrame contains info on the cities "New York" and "Barcelona".
You can add these cities to city_data using .concat():
Python
Now, the new variable all_city_data contains the values from both DataFrame objects.
By default, concat() combines along axis=0. In other words, it appends rows. You can also use it to append columns by supplying the parameter axis=1:
Python
Note how pandas added NaN for the missing values. If you want to combine only the cities that appear in both DataFrame objects, then you can set the join parameter to inner:
Python
While it’s most straightforward to combine data based on the index, it’s not the only possibility. You can use .merge() to implement a join operation similar to the one from SQL:
Python
Here, you pass the parameter left_on="country" to .merge() to indicate what column you want to join on. The result is a bigger DataFrame that contains not only city data, but also the population and continent of the respective countries:
Note that the result contains only the cities where the country is known and appears in the joined DataFrame.
.merge() performs an inner join by default. If you want to include all cities in the result, then you need to provide the how parameter:
Python
With this left join, you’ll see all the cities, including those without country data:
Welcome back, New York & Barcelona!
Data visualization is one of the things that works much better in a Jupyter notebook than in a terminal, so go ahead and fire one up. If you need help getting started, then check out Jupyter Notebook: An Introduction. You can also access the Jupyter notebook that contains the examples from this tutorial by clicking the link below:
Include this line to show plots directly in the notebook:
Python
Both Series and DataFrame objects have a .plot() method, which is a wrapper around matplotlib.pyplot.plot(). By default, it creates a line plot. Visualize how many points the Knicks scored throughout the seasons:
Python
This shows a line plot with several peaks and two notable valleys around the years 2000 and 2010:
You can also create other types of plots, like a bar plot:
Python
This will show the franchises with the most games played:
The Lakers are leading the Celtics by a minimal edge, and there are six further teams with a game count above 5000.
Now try a more complicated exercise. In 2013, the Miami Heat won the championship. Create a pie plot showing the count of their wins and losses during that season. Then, expand the code block to see a solution:
First, you define a criteria to include only the Heat’s games from 2013. Then, you create a plot in the same way as you’ve seen above:
Python
Here’s what a champion pie looks like:
The slice of wins is significantly larger than the slice of losses!
Sometimes, the numbers speak for themselves, but often a chart helps a lot with communicating your insights. To learn more about visualizing your data, check out Interactive Data Visualization in Python With Bokeh.
In this tutorial, you’ve learned how to start exploring a dataset with the pandas Python library. You saw how you could access specific rows and columns to tame even the largest of datasets. Speaking of taming, you’ve also seen multiple techniques to prepare and clean your data, by specifying the data type of columns, dealing with missing values, and more. You’ve even created queries, aggregations, and plots based on those.
Now you can:
Series and DataFrame objects.loc, .iloc, and the indexing operatorThis journey using the NBA stats only scratches the surface of what you can do with the pandas Python library. You can power up your project with pandas tricks, learn techniques to speed up pandas in Python, and even dive deep to see how pandas works behind the scenes. There are many more features for you to discover, so get out there and tackle those datasets!
You can get all the code examples you saw in this tutorial by clicking the link below:
Watch Now This tutorial has a related video course created by the Real Python team. Watch it together with the written tutorial to deepen your understanding: Explore Your Dataset With pandas