Data Science using Python Presentation By Name:- Nishant Kumar Rtu Roll No:- 18EGJCS085 Session :- 2020-2021 Branch :- Computer Science Engineering Global Institute of technology Jaipur
Content in PPT 2 Overview of Python Libraries for Data Scientists Reading Data; Selecting and Filtering the Data; Data manipulation, sorting, grouping, rearranging Plotting the data Descriptive statistics Inferential statistics
Python Libraries for Data Science Many popular Python toolboxes/libraries:  NumPy  SciPy  Pandas  SciKit-Learn Visualization libraries  matplotlib  Seaborn and many more … 3 All these libraries should installed in the System
Python Libraries for Data Science NumPy:  introduces objects for multidimensional arrays and matrices, as well as functions that allow to easily perform advanced mathematical and statistical operations on those objects  provides vectorization of mathematical operations on arrays and matrices which significantly improves the performance  many other python libraries are built on NumPy 4 Link: http://www.numpy.org/
Python Libraries for Data Science SciPy:  collection of algorithms for linear algebra, differential equations, numerical integration, optimization, statistics and more  part of SciPy Stack  built on NumPy 5 Link: https://www.scipy.org/scipylib/
Python Libraries for Data Science Pandas:  adds data structures and tools designed to work with table-like data (similar to Series and Data Frames in R)  provides tools for data manipulation: reshaping, merging, sorting, slicing, aggregation etc.  allows handling missing data 6 Link: http://pandas.pydata.org/
Link: http://scikit-learn.org/ Python Libraries for Data Science SciKit-Learn:  provides machine learning algorithms: classification, regression, clustering, model validation etc.  built on NumPy, SciPy and matplotlib 7
Python Libraries for Data Science matplotlib:  python 2D plotting library which produces publication quality figures in a variety of hardcopy formats  a set of functionalities similar to those of MATLAB  line plots, scatter plots, barcharts, histograms, pie charts etc.  relatively low-level; some effort needed to create advanced visualization 8 Link: https://matplotlib.org/
Python Libraries for Data Science Seaborn:  based on matplotlib  provides high level interface for drawing attractive statistical graphics  Similar (in style) to the popular ggplot2 library in R 9 Link: https://seaborn.pydata.org/
Selecting Python Version on the SCC # view available python versions on the SCC [scc1 ~] module avail python # load python 3 version [scc1 ~] module load python/3.6.2 10
Download Csv or Xlsx file from given link # On the Shared Computing Cluster [scc1 ~] cp /project/scv/examples/python/data_analysis/dataScience.ipynb . # On a local computer save the link: http://rcs.bu.edu/examples/python/data_analysis/dataScience.i pynb 11
Start Jupyter nootebook # On the Shared Computing Cluster [scc1 ~] jupyter notebook 12
In [ ]: Loading Python Libraries 13 #Import Python Libraries import numpy as np import scipy as sp import pandas as pd import matplotlib as mpl import seaborn as sns Press Shift+Enter to execute the jupyter cell
In [ ]: Reading data using pandas 14 #Read csv file df = pd.read_csv("http://rcs.bu.edu/examples/python/data_analysis/Salaries.csv") There is a number of pandas commands to read other data formats: pd.read_excel('myfile.xlsx',sheet_name='Sheet1', index_col=None, na_values=['NA']) pd.read_stata('myfile.dta') pd.read_sas('myfile.sas7bdat') pd.read_hdf('myfile.h5','df') Note: The above command has many optional arguments to fine-tune the data import process.
In [3]: Exploring data frames 15 #List first 5 records df.head() Out[3]:
Data Frame data types Pandas Type Native Python Type Description object string The most general dtype. Will be assigned to your column if column has mixed types (numbers and strings). int64 int Numeric characters. 64 refers to the memory allocated to hold this character. float64 float Numeric characters with decimals. If a column contains numbers and NaNs(see below), pandas will default to float64, in case your missing value has a decimal. datetime64, timedelta[ns] N/A (but see the datetime module in Python’s standard library) Values meant to hold time data. Look into these for time series experiments. 16
In [4]: Data Frame data types 17 #Check a particular column type df['salary'].dtype Out[4]: dtype('int64') In [5]:#Check types for all the columns df.dtypes Out[4]:rank discipline phd service sex salary dtype: object object object int64 int64 object int64
Data Frames attributes 18 Python objects have attributes and methods. df.attribute description dtypes list the types of the columns columns list the column names axes list the row labels and column names ndim number of dimensions size number of elements shape return a tuple representing the dimensionality values numpy representation of the data
Data Frames methods 19 df.method() description head( [n] ), tail( [n] ) first/last n rows describe() generate descriptive statistics (for numeric columns only) max(), min() return max/min values for all numeric columns mean(), median() return mean/median values for all numeric columns std() standard deviation sample([n]) returns a random sample of the data frame dropna() drop all the records with missing values Unlike attributes, python methods have parenthesis. All attributes and methods can be listed with a dir() function: dir(df)
Selecting a column in a Data Frame Method 1: Subset the data frame using column name: df['sex'] Method 2: Use the column name as an attribute: df.sex Note: there is an attribute rank for pandas data frames, so to select a column with a name "rank" we should use method 1. 20
Data Frames groupby method 21 Using "group by" method we can: • Split the data into groups based on some criteria • Calculate statistics (or apply a function) to each group • Similar to dplyr() function in R In [ ]:#Group data using rank df_rank = df.groupby(['rank']) In [ ]:#Calculate mean value for each numeric column per each group df_rank.mean()
Data Frames groupby method 22 Once groupby object is create we can calculate various statistics for each group: In [ ]: #Calculate mean salary for each professor rank: df.groupby('rank')[['salary']].mean() Note: If single brackets are used to specify the column (e.g. salary), then the output is Pandas Series object. When double brackets are used the output is a Data Frame
Data Frames groupby method 23 groupby performance notes: - no grouping/splitting occurs until it's needed. Creating the groupby object only verifies that you have passed a valid mapping - by default the group keys are sorted during the groupby operation. You may want to pass sort=False for potential speedup: In [ ]:#Calculate mean salary for each professor rank: df.groupby(['rank'], sort=False)[['salary']].mean()
Data Frame: filtering 24 To subset the data we can apply Boolean indexing. This indexing is commonly known as a filter. For example if we want to subset the rows in which the salary value is greater than $120K: In [ ]:#Calculate mean salary for each professor rank: df_sub = df[ df['salary'] > 120000 ] In [ ]:#Select only those rows that contain female professors: df_f = df[ df['sex'] == 'Female' ] Any Boolean operator can be used to subset the data: > greater; >= greater or equal; < less; <= less or equal; == equal; != not equal;
Data Frames: Slicing 25 There are a number of ways to subset the Data Frame: • one or more columns • one or more rows • a subset of rows and columns Rows and columns can be selected by their position or label
Data Frames: Slicing 26 When selecting one column, it is possible to use single set of brackets, but the resulting object will be a Series (not a DataFrame): In [ ]:#Select column salary: df['salary'] When we need to select more than one column and/or make the output to be a DataFrame, we should use double brackets: In [ ]:#Select column salary: df[['rank','salary']]
Data Frames: Selecting rows 27 If we need to select a range of rows, we can specify the range using ":" In [ ]:#Select rows by their position: df[10:20] Notice that the first row has a position 0, and the last value in the range is omitted: So for 0:10 range the first 10 rows are returned with the positions starting with 0 and ending with 9
Data Frames: method loc 28 If we need to select a range of rows, using their labels we can use method loc: In [ ]:#Select rows by their labels: df_sub.loc[10:20,['rank','sex','salary']] Out[ ]:
Data Frames: method iloc 29 If we need to select a range of rows and/or columns, using their positions we can use method iloc: In [ ]:#Select rows by their labels: df_sub.iloc[10:20,[0, 3, 4, 5]] Out[ ]:
Data Frames: method iloc (summary) 30 df.iloc[0] # First row of a data frame df.iloc[i] #(i+1)th row df.iloc[-1] # Last row df.iloc[:, 0] # First column df.iloc[:, -1] # Last column df.iloc[0:7] #First 7 rows df.iloc[:, 0:2] #First 2 columns df.iloc[1:3, 0:2] #Second through third rows and first 2 columns df.iloc[[0,5], [1,3]] #1st and 6th rows and 2nd and 4th columns
Data Frames: Sorting 31 We can sort the data by a value in the column. By default the sorting will occur in ascending order and a new data frame is return. In [ ]:# Create a new data frame from the original sorted by the column Salary df_sorted = df.sort_values( by ='service') df_sorted.head() Out[ ]:
Data Frames: Sorting 32 We can sort the data using 2 or more columns: In [ ]:df_sorted = df.sort_values( by =['service', 'salary'], ascending = [True, False]) df_sorted.head(10) Out[ ]:
Missing Values 33 Missing values are marked as NaN In [ ]:# Read a dataset with missing values flights = pd.read_csv("http://rcs.bu.edu/examples/python/data_analysis/flights.csv") In [ ]:# Select the rows that have at least one missing value flights[flights.isnull().any(axis=1)].head() Out[ ]:
Missing Values 34 There are a number of methods to deal with missing values in the data frame: df.method() description dropna() Drop missing observations dropna(how='all') Drop observations where all cells is NA dropna(axis=1, how='all') Drop column if all the values are missing dropna(thresh = 5) Drop rows that contain less than 5 non-missing values fillna(0) Replace missing values with zeros isnull() returns True if the value is missing notnull() Returns True for non-missing values
Missing Values 35 • When summing the data, missing values will be treated as zero • If all values are missing, the sum will be equal to NaN • cumsum() and cumprod() methods ignore missing values but preserve them in the resulting arrays • Missing values in GroupBy method are excluded (just like in R) • Many descriptive statistics methods have skipna option to control if missing data should be excluded . This value is set to True by default (unlike R)
Aggregation Functions in Pandas 36 Aggregation - computing a summary statistic about each group, i.e. • compute group sums or means • compute group sizes/counts Common aggregation functions: min, max count, sum, prod mean, median, mode, mad std, var
Aggregation Functions in Pandas 37 agg() method are useful when multiple statistics are computed per column: In [ ]:flights[['dep_delay','arr_delay']].agg(['min','mean','max']) Out[ ]:
Basic Descriptive Statistics 38 df.method() description describe Basic statistics (count, mean, std, min, quantiles, max) min, max Minimum and maximum values mean, median, mode Arithmetic average, median and mode var, std Variance and standard deviation sem Standard error of mean skew Sample skewness kurt kurtosis
Graphics to explore the data 39 To show graphs within Python notebook include inline directive: In [ ]:%matplotlib inline Seaborn package is built on matplotlib but provides high level interface for drawing attractive statistical graphics, similar to ggplot2 library in R. It specifically targets statistical data visualization
Graphics 40 description distplot histogram barplot estimate of central tendency for a numeric variable violinplot similar to boxplot, also shows the probability density of the data jointplot Scatterplot regplot Regression plot pairplot Pairplot boxplot boxplot swarmplot categorical scatterplot factorplot General categorical plot
Basic statistical Analysis 41 statsmodel and scikit-learn - both have a number of function for statistical analysis The first one is mostly used for regular analysis using R style formulas, while scikit-learn is more tailored for Machine Learning. statsmodels: • linear regressions • ANOVA tests • hypothesis testings • many more ... scikit-learn: • kmeans • support vector machines • random forests • many more ... See examples in the Tutorial Notebook
Thankyou 42

PPT on Data Science Using Python

  • 1.
    Data Science using Python PresentationBy Name:- Nishant Kumar Rtu Roll No:- 18EGJCS085 Session :- 2020-2021 Branch :- Computer Science Engineering Global Institute of technology Jaipur
  • 2.
    Content in PPT 2 Overview of PythonLibraries for Data Scientists Reading Data; Selecting and Filtering the Data; Data manipulation, sorting, grouping, rearranging Plotting the data Descriptive statistics Inferential statistics
  • 3.
    Python Libraries forData Science Many popular Python toolboxes/libraries:  NumPy  SciPy  Pandas  SciKit-Learn Visualization libraries  matplotlib  Seaborn and many more … 3 All these libraries should installed in the System
  • 4.
    Python Libraries forData Science NumPy:  introduces objects for multidimensional arrays and matrices, as well as functions that allow to easily perform advanced mathematical and statistical operations on those objects  provides vectorization of mathematical operations on arrays and matrices which significantly improves the performance  many other python libraries are built on NumPy 4 Link: http://www.numpy.org/
  • 5.
    Python Libraries forData Science SciPy:  collection of algorithms for linear algebra, differential equations, numerical integration, optimization, statistics and more  part of SciPy Stack  built on NumPy 5 Link: https://www.scipy.org/scipylib/
  • 6.
    Python Libraries forData Science Pandas:  adds data structures and tools designed to work with table-like data (similar to Series and Data Frames in R)  provides tools for data manipulation: reshaping, merging, sorting, slicing, aggregation etc.  allows handling missing data 6 Link: http://pandas.pydata.org/
  • 7.
    Link: http://scikit-learn.org/ Python Librariesfor Data Science SciKit-Learn:  provides machine learning algorithms: classification, regression, clustering, model validation etc.  built on NumPy, SciPy and matplotlib 7
  • 8.
    Python Libraries forData Science matplotlib:  python 2D plotting library which produces publication quality figures in a variety of hardcopy formats  a set of functionalities similar to those of MATLAB  line plots, scatter plots, barcharts, histograms, pie charts etc.  relatively low-level; some effort needed to create advanced visualization 8 Link: https://matplotlib.org/
  • 9.
    Python Libraries forData Science Seaborn:  based on matplotlib  provides high level interface for drawing attractive statistical graphics  Similar (in style) to the popular ggplot2 library in R 9 Link: https://seaborn.pydata.org/
  • 10.
    Selecting Python Versionon the SCC # view available python versions on the SCC [scc1 ~] module avail python # load python 3 version [scc1 ~] module load python/3.6.2 10
  • 11.
    Download Csv orXlsx file from given link # On the Shared Computing Cluster [scc1 ~] cp /project/scv/examples/python/data_analysis/dataScience.ipynb . # On a local computer save the link: http://rcs.bu.edu/examples/python/data_analysis/dataScience.i pynb 11
  • 12.
    Start Jupyter nootebook #On the Shared Computing Cluster [scc1 ~] jupyter notebook 12
  • 13.
    In [ ]: Loading PythonLibraries 13 #Import Python Libraries import numpy as np import scipy as sp import pandas as pd import matplotlib as mpl import seaborn as sns Press Shift+Enter to execute the jupyter cell
  • 14.
    In [ ]: Readingdata using pandas 14 #Read csv file df = pd.read_csv("http://rcs.bu.edu/examples/python/data_analysis/Salaries.csv") There is a number of pandas commands to read other data formats: pd.read_excel('myfile.xlsx',sheet_name='Sheet1', index_col=None, na_values=['NA']) pd.read_stata('myfile.dta') pd.read_sas('myfile.sas7bdat') pd.read_hdf('myfile.h5','df') Note: The above command has many optional arguments to fine-tune the data import process.
  • 15.
    In [3]: Exploring dataframes 15 #List first 5 records df.head() Out[3]:
  • 16.
    Data Frame datatypes Pandas Type Native Python Type Description object string The most general dtype. Will be assigned to your column if column has mixed types (numbers and strings). int64 int Numeric characters. 64 refers to the memory allocated to hold this character. float64 float Numeric characters with decimals. If a column contains numbers and NaNs(see below), pandas will default to float64, in case your missing value has a decimal. datetime64, timedelta[ns] N/A (but see the datetime module in Python’s standard library) Values meant to hold time data. Look into these for time series experiments. 16
  • 17.
    In [4]: Data Framedata types 17 #Check a particular column type df['salary'].dtype Out[4]: dtype('int64') In [5]:#Check types for all the columns df.dtypes Out[4]:rank discipline phd service sex salary dtype: object object object int64 int64 object int64
  • 18.
    Data Frames attributes 18 Pythonobjects have attributes and methods. df.attribute description dtypes list the types of the columns columns list the column names axes list the row labels and column names ndim number of dimensions size number of elements shape return a tuple representing the dimensionality values numpy representation of the data
  • 19.
    Data Frames methods 19 df.method()description head( [n] ), tail( [n] ) first/last n rows describe() generate descriptive statistics (for numeric columns only) max(), min() return max/min values for all numeric columns mean(), median() return mean/median values for all numeric columns std() standard deviation sample([n]) returns a random sample of the data frame dropna() drop all the records with missing values Unlike attributes, python methods have parenthesis. All attributes and methods can be listed with a dir() function: dir(df)
  • 20.
    Selecting a columnin a Data Frame Method 1: Subset the data frame using column name: df['sex'] Method 2: Use the column name as an attribute: df.sex Note: there is an attribute rank for pandas data frames, so to select a column with a name "rank" we should use method 1. 20
  • 21.
    Data Frames groupbymethod 21 Using "group by" method we can: • Split the data into groups based on some criteria • Calculate statistics (or apply a function) to each group • Similar to dplyr() function in R In [ ]:#Group data using rank df_rank = df.groupby(['rank']) In [ ]:#Calculate mean value for each numeric column per each group df_rank.mean()
  • 22.
    Data Frames groupbymethod 22 Once groupby object is create we can calculate various statistics for each group: In [ ]: #Calculate mean salary for each professor rank: df.groupby('rank')[['salary']].mean() Note: If single brackets are used to specify the column (e.g. salary), then the output is Pandas Series object. When double brackets are used the output is a Data Frame
  • 23.
    Data Frames groupbymethod 23 groupby performance notes: - no grouping/splitting occurs until it's needed. Creating the groupby object only verifies that you have passed a valid mapping - by default the group keys are sorted during the groupby operation. You may want to pass sort=False for potential speedup: In [ ]:#Calculate mean salary for each professor rank: df.groupby(['rank'], sort=False)[['salary']].mean()
  • 24.
    Data Frame: filtering 24 Tosubset the data we can apply Boolean indexing. This indexing is commonly known as a filter. For example if we want to subset the rows in which the salary value is greater than $120K: In [ ]:#Calculate mean salary for each professor rank: df_sub = df[ df['salary'] > 120000 ] In [ ]:#Select only those rows that contain female professors: df_f = df[ df['sex'] == 'Female' ] Any Boolean operator can be used to subset the data: > greater; >= greater or equal; < less; <= less or equal; == equal; != not equal;
  • 25.
    Data Frames: Slicing 25 Thereare a number of ways to subset the Data Frame: • one or more columns • one or more rows • a subset of rows and columns Rows and columns can be selected by their position or label
  • 26.
    Data Frames: Slicing 26 Whenselecting one column, it is possible to use single set of brackets, but the resulting object will be a Series (not a DataFrame): In [ ]:#Select column salary: df['salary'] When we need to select more than one column and/or make the output to be a DataFrame, we should use double brackets: In [ ]:#Select column salary: df[['rank','salary']]
  • 27.
    Data Frames: Selectingrows 27 If we need to select a range of rows, we can specify the range using ":" In [ ]:#Select rows by their position: df[10:20] Notice that the first row has a position 0, and the last value in the range is omitted: So for 0:10 range the first 10 rows are returned with the positions starting with 0 and ending with 9
  • 28.
    Data Frames: methodloc 28 If we need to select a range of rows, using their labels we can use method loc: In [ ]:#Select rows by their labels: df_sub.loc[10:20,['rank','sex','salary']] Out[ ]:
  • 29.
    Data Frames: methodiloc 29 If we need to select a range of rows and/or columns, using their positions we can use method iloc: In [ ]:#Select rows by their labels: df_sub.iloc[10:20,[0, 3, 4, 5]] Out[ ]:
  • 30.
    Data Frames: methodiloc (summary) 30 df.iloc[0] # First row of a data frame df.iloc[i] #(i+1)th row df.iloc[-1] # Last row df.iloc[:, 0] # First column df.iloc[:, -1] # Last column df.iloc[0:7] #First 7 rows df.iloc[:, 0:2] #First 2 columns df.iloc[1:3, 0:2] #Second through third rows and first 2 columns df.iloc[[0,5], [1,3]] #1st and 6th rows and 2nd and 4th columns
  • 31.
    Data Frames: Sorting 31 Wecan sort the data by a value in the column. By default the sorting will occur in ascending order and a new data frame is return. In [ ]:# Create a new data frame from the original sorted by the column Salary df_sorted = df.sort_values( by ='service') df_sorted.head() Out[ ]:
  • 32.
    Data Frames: Sorting 32 Wecan sort the data using 2 or more columns: In [ ]:df_sorted = df.sort_values( by =['service', 'salary'], ascending = [True, False]) df_sorted.head(10) Out[ ]:
  • 33.
    Missing Values 33 Missing valuesare marked as NaN In [ ]:# Read a dataset with missing values flights = pd.read_csv("http://rcs.bu.edu/examples/python/data_analysis/flights.csv") In [ ]:# Select the rows that have at least one missing value flights[flights.isnull().any(axis=1)].head() Out[ ]:
  • 34.
    Missing Values 34 There area number of methods to deal with missing values in the data frame: df.method() description dropna() Drop missing observations dropna(how='all') Drop observations where all cells is NA dropna(axis=1, how='all') Drop column if all the values are missing dropna(thresh = 5) Drop rows that contain less than 5 non-missing values fillna(0) Replace missing values with zeros isnull() returns True if the value is missing notnull() Returns True for non-missing values
  • 35.
    Missing Values 35 • Whensumming the data, missing values will be treated as zero • If all values are missing, the sum will be equal to NaN • cumsum() and cumprod() methods ignore missing values but preserve them in the resulting arrays • Missing values in GroupBy method are excluded (just like in R) • Many descriptive statistics methods have skipna option to control if missing data should be excluded . This value is set to True by default (unlike R)
  • 36.
    Aggregation Functions inPandas 36 Aggregation - computing a summary statistic about each group, i.e. • compute group sums or means • compute group sizes/counts Common aggregation functions: min, max count, sum, prod mean, median, mode, mad std, var
  • 37.
    Aggregation Functions inPandas 37 agg() method are useful when multiple statistics are computed per column: In [ ]:flights[['dep_delay','arr_delay']].agg(['min','mean','max']) Out[ ]:
  • 38.
    Basic Descriptive Statistics 38 df.method()description describe Basic statistics (count, mean, std, min, quantiles, max) min, max Minimum and maximum values mean, median, mode Arithmetic average, median and mode var, std Variance and standard deviation sem Standard error of mean skew Sample skewness kurt kurtosis
  • 39.
    Graphics to explorethe data 39 To show graphs within Python notebook include inline directive: In [ ]:%matplotlib inline Seaborn package is built on matplotlib but provides high level interface for drawing attractive statistical graphics, similar to ggplot2 library in R. It specifically targets statistical data visualization
  • 40.
    Graphics 40 description distplot histogram barplot estimateof central tendency for a numeric variable violinplot similar to boxplot, also shows the probability density of the data jointplot Scatterplot regplot Regression plot pairplot Pairplot boxplot boxplot swarmplot categorical scatterplot factorplot General categorical plot
  • 41.
    Basic statistical Analysis 41 statsmodeland scikit-learn - both have a number of function for statistical analysis The first one is mostly used for regular analysis using R style formulas, while scikit-learn is more tailored for Machine Learning. statsmodels: • linear regressions • ANOVA tests • hypothesis testings • many more ... scikit-learn: • kmeans • support vector machines • random forests • many more ... See examples in the Tutorial Notebook
  • 42.