- CodeCraft by Dr. Christine Lee
- Posts
- Data Analytics for Beginners
Data Analytics for Beginners
Learn the End-to-End Data Analytics Process with Python

Mastering the Data Analytics Process with Python: A Beginner’s Guide
Welcome back to our Python for Data Analytics series! Today, we’re diving into the complete process of data analytics, explaining how Python is used in each phase. From data collection to cleaning, analysis, and visualization, we’ll walk you through each step with clear examples and code. Let’s get started!
What You Will Learn
- Data Collection: How to gather data from various sources. 
- Data Cleaning: How to clean and prepare your data for analysis. 
- Data Analysis: How to analyze data using Python. 
- Data Visualization: How to visualize your data with charts and graphs. 
Step 1: Data Collection
What is Data Collection?
Data collection involves gathering information from different sources. This can include CSV files, databases, APIs, or web scraping.
Example: Collecting Data from a CSV File
Let’s start by loading data from a CSV file. We’ll use a sample dataset of sales data.
 Here’s what our sales_data.csv looks like: 
Month,Sales
January,2500
February,2700
March,3000
April,3100
May,NaN
June,3300
July,3500
August,3600
September,3700
October,3800
November,NaN
December,4000
Here’s a breakdown of the file:
- Month: Lists the months from January to December.
- Sales: Contains the sales figures for each month. Note that some months have missing values (represented as- NaN).
Now, let’s load this data using Python:
import pandas as pd
 
# Load data from a CSV file
data = pd.read_csv('sales_data.csv')
print(data.head())
Explanation:
- import pandas as pd: Imports the Pandas library and gives it the alias- pd.
- pd.read_csv('sales_data.csv'): Reads the CSV file into a DataFrame.
- data.head(): Displays the first few rows of the DataFrame.
Output

Step 2: Data Cleaning
What is Data Cleaning?
Data cleaning involves preparing and correcting your data. This includes handling missing values, removing duplicates, and correcting data types.
Example: Cleaning Sales Data
Let’s clean the sales data by handling missing values and removing duplicates.
# Check for missing values
print(data.isnull().sum())
 
# Fill missing values with the mean
data['Sales'].fillna(data['Sales'].mean(), inplace=True)
 
# Remove duplicates
data.drop_duplicates(inplace=True)
 
print(data.head())
Explanation:
- data.isnull().sum(): Checks for missing values in the DataFrame.
- data['Sales'].fillna(data['Sales'].mean(), inplace=True): Fills missing sales values with the mean of the sales column.
- data.drop_duplicates(inplace=True): Removes duplicate rows from the DataFrame.
Output

Missing values replaced with mean of sales column
Step 3: Data Analysis
What is Data Analysis?
Data analysis involves examining your data to draw conclusions. This can include statistical analysis, finding trends, and making predictions.
Example: Analyzing Sales Data
Let’s analyze the sales data to find the total sales and average sales per month.
# Calculate total sales
total_sales = data['Sales'].sum()
print(f"Total sales: ${total_sales}")
 
# Calculate average sales per month
average_sales = data['Sales'].mean()
print(f"Average sales per month: ${average_sales:.2f}")
Explanation:
- data['Sales'].sum(): Calculates the total sales.
- data['Sales'].mean(): Calculates the average sales per month.
- print(f"Total sales: ${total_sales}"): Prints the total sales.
- print(f"Average sales per month: ${average_sales:.2f}"): Prints the average sales per month with two decimal places.
Output

Step 4: Data Visualization
What is Data Visualization?
Data visualization involves creating charts and graphs to represent your data visually. This helps in understanding patterns, trends, and insights.
Example: Visualizing Sales Data
Let’s create a line chart to visualize the sales trend over the months.
import matplotlib.pyplot as plt
 
# Create a line chart for sales trend
plt.plot(data['Month'], data['Sales'], marker='o')
plt.xlabel('Month')
plt.ylabel('Sales')
plt.title('Sales Trend Over Months')
plt.show()
Explanation:
- import matplotlib.pyplot as plt: Imports the Matplotlib library for plotting.
- plt.plot(data['Month'], data['Sales'], marker='o'): Creates a line chart with months on the x-axis and sales on the y-axis, with markers for each data point.
- plt.xlabel('Month'): Labels the x-axis as "Month".
- plt.ylabel('Sales'): Labels the y-axis as "Sales".
- plt.title('Sales Trend Over Months'): Sets the title of the chart.
- plt.show(): Displays the chart.
Output

Conclusion
Congratulations! You’ve just walked through the entire data analytics process using Python. From data collection and cleaning to analysis and visualization, you now have a solid understanding of how to handle data effectively.
Recommendation and Inspiration
| 
 | 
Ready to Dive Deeper into Data Analytics?
Subscribe to our newsletter now and get a free Python cheat sheet! Continue your journey with more exciting projects and tutorials designed just for beginners.
Keep exploring, keep coding, and enjoy your journey into data analytics with Python!

