0% found this document useful (0 votes)
22 views35 pages

DADV - Lab - Subject - 303105315

The document is a laboratory manual for the Data Analytics and Data Visualization course, detailing various practical experiments and their objectives, including Exploratory Data Analysis, Linear Regression, and Decision Tree Classification. It also includes a certification section for students who complete the laboratory experiments, along with a table of contents listing the experiments. Additionally, it provides instructions for installing Power BI for data visualization tasks.

Uploaded by

okkshrutii
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as DOCX, PDF, TXT or read online on Scribd
0% found this document useful (0 votes)
22 views35 pages

DADV - Lab - Subject - 303105315

The document is a laboratory manual for the Data Analytics and Data Visualization course, detailing various practical experiments and their objectives, including Exploratory Data Analysis, Linear Regression, and Decision Tree Classification. It also includes a certification section for students who complete the laboratory experiments, along with a table of contents listing the experiments. Additionally, it provides instructions for installing Power BI for data visualization tasks.

Uploaded by

okkshrutii
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as DOCX, PDF, TXT or read online on Scribd
You are on page 1/ 35

Faculty of Engineering & Technology

Subject-Name: Data Analytics And Data


visualization laboratory
Subject-Code:303105315
B.Tech CSE Year: 3rd Semester: 5TH

FACULTY OF ENGINEERING AND TECHNOLOGY


OF
TECHNOLOGY

Data Analytics And Data visualization


laboratory
Subject Code:303105315
3rd year 5th Sem

Laboratory Manual-DADV

Enrollment No: xxxxxxxxx


Faculty of Engineering & Technology
Subject-Name: Data Analytics And Data
visualization laboratory
Subject-Code:303105315
B.Tech CSE Year: 3rd Semester: 5TH

CERTIFICATE

This is to certify that M r . x x x x x x x w i t h E n r o l m e n t N o . x x x x x x and 5th


Semester/ CSE (Batch N o ) has successfully completed her laboratory experiments in the Data
Analytics And Data visualization laboratory (303105315) from the Department of Computer Science &
Engineering during the academic year 2024-25.

Date of Submission: .........................

Staff In charge: ..................................

Head Of Department: .........................

Enrollment No: xxxxxxxxx


Faculty of Engineering & Technology
Subject-Name: Data Analytics And Data
visualization laboratory
Subject-Code:303105315
B.Tech CSE Year: 3rd Semester: 5TH

TABLE OF CONTENT

Sr. Page No Date of Date of Sign Marks


No Experiment Title (out of
From To Start Completion
10)
1 Perform Exploratory Data
Analysis on the given dataset
using Python.
2 Calculate mean, median and
mode of the first 50 records in
the given dataset using
python.

3 Perform Multiple Linear


Regression on data.

4 Perform the Logistic


Regression on a dataset.

5 Use a dataset & apply K


means clustering to get
insights from data.

6 Perform the Decision tree


classification algorithm using
a dataset.

7 Study and installation of the


tools like PowerBI tool for
data Visualization.

8 Load a dataset from different


sources in PowerBI and apply
transformations to it.

9 Study and Plot various graphs


for Data Visualization on
PowerBI.

10 Given a case study: Interactive


Data Analytics with Power BI
Dashboard.

Enrollment No: xxxxxxxxx


Faculty of Engineering & Technology
Subject-Name: Data Analytics And Data
visualization laboratory
Subject-Code:303105315
B.Tech CSE Year: 3rd Semester: 5TH

Practical-1

Aim: Perform Exploratory Data Analysis on the given dataset using Python.

Procedure:

1.Import the dataset


2.View the head of the data
3.View the basic information of data and description of data
4.Find the unique value of data and verify the duplication of data
5.Plot a graph for unique value of dataset
6.Verify the presence of null value and replace the null value
7.Visualize the needed data

Program:

#Load the required libraries


import pandas as pd
import numpy as np

import seaborn as sns


#Load the data

df = pd.read_csv('titanic.csv')

#View the data


df.head()

df.info()
df.describe()
#Find the duplicates
df.duplicated().sum()

#unique values
df['Pclass'].unique()
df['Survived'].unique()
df['Sex'].unique()
array([3, 1, 2], dtype=int64)
array([0, 1], dtype=int64)
array(['male', 'female'], dtype=object)

#Plot the unique values


sns.countplot(df['Pclass']).unique()

#Find null values


df.isnull().sum()

#Replace null values


df.replace(np.nan,'0',inplace = True)

Enrollment No: xxxxxxxxx


Faculty of Engineering & Technology
Subject-Name: Data Analytics And Data
visualization laboratory
Subject-Code:303105315
B.Tech CSE Year: 3rd Semester: 5TH

#Check the changes now


df.isnull().sum()

#Filter data
df[df['Pclass']==1].head()

#Boxplot
df[['Fare']].boxplot()

Enrollment No: xxxxxxxxx


Faculty of Engineering & Technology
Subject-Name: Data Analytics And Data
visualization laboratory
Subject-Code:303105315
B.Tech CSE Year: 3rd Semester: 5TH
Practical-2

Aim: Calculate mean, median and mode of the first 50 records in the given dataset using python

from statistics import median

import pandas as pd

import matplotlib.pyplot as plt

d = pd.read_excel(r'F:\SEMESTER 5\DATA VISULIZATION AND DATA


ANALYTICS\LAB\

Marks.xlsx') f =

pd.DataFrame(d)

print(f)

meanm = d["Maths"].mean()

medianm = d["Maths"].median()

modem = d["Maths"].mode()

meanp = d["Physics"].mean()

medianp =

d["Physics"].median() modep =

d["Physics"].mode() cor =

d.corr()

print("Maths:")

print("Mean: ",meanm)

print("Median: ",medianm)

print("Mode: ",modem)

print("Physics:")

print("Mean: ",meanp)

print("Median: ",medianp)

print("Mode: ",modep)

Enrollment No: xxxxxxxxx


Faculty of Engineering & Technology
Subject-Name: Data Analytics And Data
visualization laboratory
Subject-Code:303105315
B.Tech CSE Year: 3rd Semester: 5TH

print("Correlation: ")

print(cor)

d.plot(kind = 'hist', x = 'Maths', y =

'Physics') plt.show()

OUTPUT:

Enrollment No: xxxxxxxxx


Faculty of Engineering & Technology
Subject-Name: Data Analytics And Data
visualization laboratory
Subject-Code:303105315
B.Tech CSE Year: 3rd Semester: 5TH
Practical-3

Aim: Perform Multiple Linear Regression on data.

import pandas as pd

import numpy as np

from sklearn.model_selection import train_test_split

from sklearn.linear_model import LinearRegression

from sklearn.metrics import r2_score

import matplotlib.pyplot as plt df=pd.read_excel(r'H:\

CODES\PYTHON\JEET.xlsx') df.head()

x=df.drop(['V'],axis=1).value

s y=df['V'].values

print(x)

print(y)

x_train,x_test,y_train,y_test=train_test_split(x,y,test_size=0.3,random_state=0)

ml=LinearRegression()

ml.fit(x_train,y_train)

y_pred=ml.predict(x_test)

print(y_pred)

r2_score(y_test,y_pred)

plt.figure(figsize=(15,10))

plt.scatter(y_test,y_pred)

plt.xlabel('Original')

Enrollment No: xxxxxxxxx


Faculty of Engineering & Technology
Subject-Name: Data Analytics And Data
visualization laboratory
Subject-Code:303105315
B.Tech CSE Year: 3rd Semester: 5TH

plt.ylabel('Predicted')

plt.title('Original vs Predicted')

pred_y_df=pd.DataFrame({'Original Value':y_test,'Predicted
Value':y_pred,'Difference':y_test-y_pred})

pred_y_df[0:20]

OUTPUT

Enrollment No: xxxxxxxxx


Faculty of Engineering & Technology
Subject-Name: Data Analytics And Data
visualization laboratory
Subject-Code:303105315
B.Tech CSE Year: 3rd Semester: 5TH

Enrollment No: xxxxxxxxx


Faculty of Engineering & Technology
Subject-Name: Data Analytics And Data
visualization laboratory
Subject-Code:303105315
B.Tech CSE Year: 3rd Semester: 5TH

Practical-4

Aim: Perform the Logistic Regression on a dataset.

LOGISTIC REGRESSION: Logistic regression estimates the


probability of an event occurring, such as voted or didn't vote, based on a
given dataset of independent variables

CODE:
from sklearn.datasets import load_digits

import pandas as pd

import matplotlib.pyplot as plt

from sklearn.model_selection import train_test_split

from sklearn.linear_model import LogisticRegression

digits = load_digits()

dir(digits)

digits.data[4]

plt.gray()

plt.matshow(digits.images[1])

digits.target[0:5]

x_train,x_test,y_train,y_test = train_test_split(digits.data,digits.target,test_size=0.2)

len(x_test)

logistic = LogisticRegression()

logistic.fit(x_train,y_train)

logistic.score(x_test,y_test)

plt.matshow(digits.images[84])

digits.target[84]

Enrollment No: xxxxxxxxx


Faculty of Engineering & Technology
Subject-Name: Data Analytics And Data
visualization laboratory
Subject-Code:303105315
B.Tech CSE Year: 3rd Semester: 5TH

logistic.predict([digits.data[84]])

OUTPUT

Enrollment No: xxxxxxxxx


Faculty of Engineering & Technology
Subject-Name: Data Analytics And Data
visualization laboratory
Subject-Code:303105315
B.Tech CSE Year: 3rd Semester: 5TH
Practical-5

Aim: Use a dataset & apply K means clustering to get insights from data.

K MEANS CLUSTING: K means clustering is one of the simplest algorithm


which uses unsupervised learning method to solve known clustering issues

CODE:

Enrollment No: xxxxxxxxx


Faculty of Engineering & Technology
Subject-Name: Data Analytics And Data
visualization laboratory
Subject-Code:303105315
B.Tech CSE Year: 3rd Semester: 5TH

Enrollment No: xxxxxxxxx


Faculty of Engineering & Technology
Subject-Name: Data Analytics And Data
visualization laboratory
Subject-Code:303105315
B.Tech CSE Year: 3rd Semester: 5TH

Enrollment No: xxxxxxxxx


Faculty of Engineering & Technology
Subject-Name: Data Analytics And Data
visualization laboratory
Subject-Code:303105315
B.Tech CSE Year: 3rd Semester: 5TH
Practical-6

Aim: Perform the Decision tree classification algorithm using a dataset.

import pandas as pd
from sklearn.model_selection import train_test_split
from sklearn.tree import DecisionTreeClassifier
from sklearn.metrics import accuracy_score, classification_report, confusion_matrix
from sklearn.preprocessing import LabelEncoder

# Load the CSV file into a DataFrame


csv_file_path = 'path_to_your_file/marksheet.csv' # Update with your file path
df = pd.read_csv(csv_file_path)

# Preprocess the data


# Assume 'Section' is the target variable for classification
target = 'Section'
features = df.drop(columns=[target])

# Encode categorical variables


label_encoder = LabelEncoder()
df['Gender'] = label_encoder.fit_transform(df['Gender'])
df[target] = label_encoder.fit_transform(df[target])

# Define features and target


X = df.drop(columns=[target])
y = df[target]

# Split the data into training and testing sets


X_train, X_test, y_train, y_test = train_test_split(X, y, test_size=0.3, random_state=42)

# Train the Decision Tree model


clf = DecisionTreeClassifier(random_state=42)
clf.fit(X_train, y_train)

# Make predictions on the test set


y_pred = clf.predict(X_test)

# Evaluate the model


accuracy = accuracy_score(y_test, y_pred)
conf_matrix = confusion_matrix(y_test, y_pred)
class_report = classification_report(y_test, y_pred)

# Print the results


print(f"Accuracy: {accuracy}")
print("Confusion Matrix:\n", conf_matrix)
print("Classification Report:\n", class_report)

Enrollment No: xxxxxxxxx


Faculty of Engineering & Technology
Subject-Name: Data Analytics And Data
visualization laboratory
Subject-Code:303105315
B.Tech CSE Year: 3rd Semester: 5TH
Practical-7

Aim: Study and installation of the tools like PowerBI tool for data Visualization.

Introduction to Microsoft Power BI


There are several tools that make it easier for us to analyze the trajectory of business assets using data.
However, Microsoft Power BI is something so unique that makes it super easy to make data-driven
decisions.
It is one of the oldest, most famous, and most accessible tools for Data Visualization and business
intelligence. From different sources, it collects and helps to convert into an interactive dashboard and BI
reports. It is available as a Power BI Desktop, and mobile but also available for it service based on Saas.
Business users use a set of services provided by it to create reports and achieve a goal. It apps help in
generating reports, whereas its services help in publishing reports. It is a cloud-based service provided by
Microsoft that helps viewers to visualize data, and this process is called Data visualization with it.
It helps in sorting, analyzing, and comparing data more frequently and quickly. It is compatible with
various resources like Microsoft Excel, Access Database, SQL Server, which helps make the best choice
for data analysts.

Installation process of Power BI

Two Ways to install Power BI and Get it up and Running:


Either of the two approaches gets the latest version of Power BI Desktop onto your computer.

1. Install as an app from the Microsoft Store.


There are a few ways to access the most recent version of Power BI Desktop from the
Microsoft Store. Use one of the following options to open the Power BI Desktop page of
the Microsoft Store:
1. Open a browser and go directly to the Power BI Desktop page of the Microsoft
Store.
2. From the Power BI service, select the Download icon in the upper right corner
and then choose Power BI Desktop.
3. Go to the Power BI Desktop product page and select Download Free.
4. After you've landed on the Power BI Desktop page of the Microsoft Store, select

Enrollment No: xxxxxxxxx


Faculty of Engineering & Technology
Subject-Name: Data Analytics And Data
visualization laboratory
Subject-Code:303105315
B.Tech CSE Year: 3rd Semester: 5TH
Install.
2. Download directly as an executable; you download and install it on your computer.

Select Download from the Download Center to download the Power BI Desktop
executable from the Download Center page. Then, specify a 32-bit or 64-bit installation
file to download.

Install Power BI Desktop after downloading it


You're prompted to run the installation file after downloading it.

Enrollment No: xxxxxxxxx


Faculty of Engineering & Technology
Subject-Name: Data Analytics And Data
visualization laboratory
Subject-Code:303105315
B.Tech CSE Year: 3rd Semester: 5TH

And that’s it; you are good to go.

Note: Windows Users can ignore the instructions beyond this point. The instructions ahead
are specifically for MAC users.

Installing Instructions for MAC

Since Power BI is not directly available for mac users, we will use an AWS container to run
an instance of windows ten where you can download power BI and install it for use.

1. Create an AWS account using this URL https://portal.aws.amazon.com/billing/signup#/start

2. Select Personal when asked how you plan to use this account

Enrollment No: xxxxxxxxx


Faculty of Engineering & Technology
Subject-Name: Data Analytics And Data
visualization laboratory
Subject-Code:303105315
B.Tech CSE Year: 3rd Semester: 5TH

3. After completing all the steps, you will be asked to enter billing information, which is a
mandatory step.

Enrollment No: xxxxxxxxx


Faculty of Engineering & Technology
Subject-Name: Data Analytics And Data
visualization laboratory
Subject-Code:303105315
B.Tech CSE Year: 3rd Semester: 5TH

4. Login into your AWS console, search for “workspaces,” and click on the Workspaces icon as shown below.

5. Here you should be able to see a Launch Workspace.

Enrollment No: xxxxxxxxx


Faculty of Engineering & Technology
Subject-Name: Data Analytics And Data
visualization laboratory
Subject-Code:303105315
B.Tech CSE Year: 3rd Semester: 5TH

Enrollment No: xxxxxxxxx


Faculty of Engineering & Technology
Subject-Name: Data Analytics And Data
visualization laboratory
Subject-Code:303105315
B.Tech CSE Year: 3rd Semester: 5TH

When you click launch, you will be prompted to view the workspace console; clicking on this button will
take you to the console where it says that it will take 20 min to set the workspace; typically, it takes 15-30
mining, my experience.

14. Now in this waiting time, download the appropriate Workspace RD client from this link -
https://clients.amazonworkspaces.com/?refid=ps_a134p000006vmxaaai&trkcampaign=acq
_paid_ search_brand

Enrollment No: xxxxxxxxx


Faculty of Engineering & Technology
Subject-Name: Data Analytics And Data
visualization laboratory
Subject-Code:303105315
B.Tech CSE Year: 3rd Semester: 5TH

15. Now Install this and wait for your Workspace to finish setting up
16. Start the Amazon Workspace client on your Mac, and you should see something like the below
screenshot

Enrollment No: xxxxxxxxx


Faculty of Engineering & Technology
Subject-Name: Data Analytics And Data
visualization laboratory
Subject-Code:303105315
B.Tech CSE Year: 3rd Semester: 5TH

14. Remember that you did not create a password in step 11. It would help if you were getting
an email to create a password. Use that password and the username used in step 11 here.
15. After successful login, you should see something like this.

20. Select Download from the Download Center to download the Power BI Desktop executable from
the Download Center page. Then, specify a 32-bit or 64-bit installation file to download.
21. Follow all the steps followed for Power BI installation on Windows.

Practical-8

Aim: Load a dataset from different sources in PowerBI and apply transformations to it.

Step 1: Open the Power BI report in Power BI Desktop.

First, you need to open the Power BI report that you want to update in Power BI Desktop.

Step 2: Click Transform data.

Navigate to the “Data” tab, click the Transform data drop-down, and then Transform data to get to
Power Query.

Enrollment No: xxxxxxxxx


Faculty of Engineering & Technology
Subject-Name: Data Analytics And Data
visualization laboratory
Subject-Code:303105315
B.Tech CSE Year: 3rd Semester: 5TH

Step 3: Click on New Source and connect to the new data source. Confirm the column names in Table 1
(new data source) are the same as that of the Sales table (current data source).

Step 4: Click on Advanced Editor.

Select Table 1, navigate to the “View” tab, and click on Advanced Editor.

Step 5: Copy the M code up to [data].

Locate the M code that specifies the new data source and copy from beginning up to [data].

Step 6: Select Sales table and click Advance Editor. Replace the M code up to [data] with the code you
copied from Table1 and click done.

Enrollment No: xxxxxxxxx


Faculty of Engineering & Technology
Subject-Name: Data Analytics And Data
visualization laboratory
Subject-Code:303105315
B.Tech CSE Year: 3rd Semester: 5TH

After making the necessary changes, the user should review the M code and ensure it accurately reflects
the new data source.

Step 7: Delete Table1 and click Close & Apply.

Practical-9

Aim: Study and Plot various graphs for Data Visualization on PowerBI.

Scatter charts

Scatter charts work well in many scenarios:

 Show relationships between two numerical values.

Enrollment No: xxxxxxxxx


Faculty of Engineering & Technology
Subject-Name: Data Analytics And Data
visualization laboratory
Subject-Code:303105315
B.Tech CSE Year: 3rd Semester: 5TH
 Plot two groups of numbers as one series of x and y coordinates.
 Display worksheet data with pairs or grouped sets of values.
 Show patterns in large sets of data.
 Compare large amounts of data points irrespective of time measurements.
 Convert horizontal axis into logarithmic scale.
 Substitute for line charts to enable changing horizontal axis scale.

Bubble charts

You can use a bubble chart in many of the same scenarios as a scatter chart. Here are some of the other
ways you can use bubble charts:

 Visually emphasize value differences with variable bubble size.


 Support scenarios with three data series that each has sets of values.
 Present financial data in a visual rather than numerical form.
 Display data with quadrants.

Dot plot charts

Use cases for the dot plot chart are similar to the scenarios described for scatter and bubble charts. The
primary advantage of dot plot charts is the ability to include categorical data along the horizontal axis.

Create a scatter chart

1. On the Data pane, select three fields:

 Expand Sales and select the Sales Per Sq Ft and Total Sales Variance
% checkboxes.

 Expand District and select the District checkbox.

By default, Power BI creates a clustered column chart to display the data. On


the Visualizations pane, the District field is assigned to the X-axis and the
other two fields are assigned to the Y-axis.

Enrollment No: xxxxxxxxx


Faculty of Engineering & Technology
Subject-Name: Data Analytics And Data
visualization laboratory
Subject-Code:303105315
B.Tech CSE Year: 3rd Semester: 5TH

You can now convert the clustered column chart visual into a scatter chart.

2. Select the chart visual, and then select Scatter chart on


the Visualizations pane.

Notice the changes to the Visualizations pane. The District field is now listed
under Values. The chart axes are also different. Make sure that Power BI plots
the Sales Per Sq Ft field along the X Axis and the Total Sales Variance
% field along the Y Axis.

Enrollment No: xxxxxxxxx


Faculty of Engineering & Technology
Subject-Name: Data Analytics And Data
visualization laboratory
Subject-Code:303105315
B.Tech CSE Year: 3rd Semester: 5TH

3. On the Visualizations pane, drag the District field from


the Values section to the Legend section.

Power BI creates data points where the data values intersect along the x
and y axes. The data point colors represent different districts.

Enrollment No: xxxxxxxxx


Faculty of Engineering & Technology
Subject-Name: Data Analytics And Data
visualization laboratory
Subject-Code:303105315
B.Tech CSE Year: 3rd Semester: 5TH

Practical-10

Enrollment No: xxxxxxxxx


Faculty of Engineering & Technology
Subject-Name: Data Analytics And Data
visualization laboratory
Subject-Code:303105315
B.Tech CSE Year: 3rd Semester: 5TH
Aim: Given a case study: Interactive Data Analytics with Power BI Dashboard

1. HEATHROW
 Heathrow airport is an international airport in London. It is the second busiest
international airport in the world after Dubai international airport. And, also the
seventh-largest in terms of total passenger traffic.

THE CHALLENGE
 Being the world’s seventh busiest airport in overall passenger traffic, one can only
imagine the level of efficiency and efforts expected from the airport’s ground
management to keep the airport functioning properly. Managing over 2,00,000
passengers every day can be quite a challenging task for airport authorities and
ground staff. Every department needs to be in absolute coordination and sync to be
able to manage the passenger traffic and give them a smooth experience at the
airport. At such busy airports, every day brings new challenges and uncertainties
with it. Unexpected disruptions in the smooth workflow of operations at the airport
disturb the entire functioning. Issues can arise due to stormy weather, delayed
flights, canceled flights, shifts in jet streams, etc. disturbing the airport’s smooth
functioning. Such problems send the passengers as well as airport employees into
turmoil.
 The airport needed a central digitalized management system as a solution to this
problem. Such a system would use the large amounts of data being produced by
operational systems at the airport and transform it into useful visual insights. The
interpretations produced by the BI tool can be used by airport staff for better
functioning and passenger management.
THE CHANGE
 Heathrow group went with Microsoft Power BI as their business intelligence
software and Microsoft Azure for cloud services. The airport has deployed Microsoft
Azure technology to collect data from back-end operational systems at the airport.
These systems are check-in counters, baggage tracking systems, flight schedules,
and weather tracking systems, cargo tracking and many more.
 The operational data from these systems are forwarded to business intelligence
platforms like Power BI. In Power BI, users shape this data into useful
information that the airport staff can use.

Enrollment No: xxxxxxxxx


Faculty of Engineering & Technology
Subject-Name: Data Analytics And Data
visualization laboratory
Subject-Code:303105315
B.Tech CSE Year: 3rd Semester: 5TH

 Power BI transforms the crude information into informative visuals showing


different statuses and statistics of the airport systems. Then, the ground staff like
baggage handlers, gate agents, air traffic controllers, etc. use this information to
properly operate and manage passengers.

 Services such as Azure Stream Analytics, Azure Data Lake Analytics, and Azure
SQL Database are used to extract, clean and prepare operational data in real-time.
This data is about flight movements, security queues, passenger transfers, and
immigration queues. Ultimately, Power BI uses data from these Azure services for
analysis and interpretation.
 Operational data from different data sources come into Power BI. Then Power BI
tools are used to transform that data into meaningful insights with the help of visual
reports, graphics, and dashboards. About 75,000 airport employees have information
on their fingertips by the virtue of Power BI.

 Let us understand this with the help of a real-world example. If there is a change in
the jet stream, it may delay about 20 flights in a day. This will result in about 6,000
passengers waiting at the airport at a given point of time. It will increase passenger
traffic and density at the airport. Power BI works like the centralized information
system. The airport uses it to inform about the sudden passenger influx. This
information goes out to different sections such as food outlets, immigration,
customs, gate attenders, baggage handlers at the airport. This will give them time
to prepare themselves to attend the passengers.
 With the presence of smart BI solutions like Power BI, airport staff is notified in
advance about the probable delays and the sudden rush of passengers at the airport.
This help management groups and other employees to take suitable actions in advance
like increasing the food stock, adding extra passenger buses, increasing the
ground staff, directing the passengers to the waiting area, etc. to avoid any last-
minute hustle.
 Thus, with the help of a powerful BI tool like Power BI, Heathrow has been benefited
in more than one way. They are extremely happy and satisfied with the capabilities of
Power BI helping them give a hassle-free airport experience to their passengers.
Heathrow also is extending Power BI applications by trying to anticipate passenger
flow at the airport to avoid any unexpected disruptions for the passengers.

STEPS TO ANALYZE DATA IN POWER BI


Step1: Download the Power BI Software in your PC

Step2: After that download the dataset for performing data analysis. Here I have
downloaded Sales of chocolates to importing to different countries and containing
info about the dealer

Step 3: Then open Power BI. The home page will look like below page

Enrollment No: xxxxxxxxx


Faculty of Engineering & Technology
Subject-Name: Data Analytics And Data
visualization laboratory
Subject-Code:303105315
B.Tech CSE Year: 3rd Semester: 5TH

Step 4: Then import file which you want

Step 5: Then according to you do data analysis

Enrollment No: xxxxxxxxx


Faculty of Engineering & Technology
Subject-Name: Software Engineering
Subject-Code:203105304
B.Tech CSE Year: 3RD Semester: 5TH

Enrollment No: 190303105497

You might also like