SlideShare a Scribd company logo
1 of 45
R GET STARTED II
1
www.Sanaitics.com
Summarizing Data
2
www.Sanaitics.com
Summarizing Data
data<-read.csv(file.choose(),header=T)
summary(data) Variables summarized based on their type
Command effectively handles missing observations in the data
3
www.Sanaitics.com
Variable Summary Statistics
summary(data$ba) Specify the variable
summary(data$Grade) Note the type of variable
4
www.Sanaitics.com
Inclusion & Exclusion
summary(data[ ,c(-1,-2,-3,-4,-5)])
Excludes specific variables
summary(data[,c("ba","ms")])
Includes specific variables
5
www.Sanaitics.com
Missing Observations
nmiss<-sum(is.na(data$ba))
nmiss
Number of missing observations
mean(data$ba )
NA output due to missing observations
mean(data$ba,na.rm=TRUE)
Handles the issue very well
6
www.Sanaitics.com
More Statistics
sd(data$ba,na.rm=TRUE)
Standard Deviation of a variable
var(data$ms,na.rm=TRUE)
Variance of a variable
sqrt(var(data$ba,na.rm=TRUE)/length(na.omit(data$ba)))
Standard error of the mean
7
www.Sanaitics.com
More Statistics
trimmed_mean<-mean(data$ms,0.10,na.rm=TRUE)
trimmed_mean Trim ‘P’ percent observations from both ends
length(data$ba) Number of observations
8
www.Sanaitics.com
tapply Function
A<-tapply( data$ba,data$Location,mean, na.rm=TRUE)
A Break up vector into groups by factors and compute functions
B<- tapply( data$ms,list(data$Location,data$Grade),
mean,na.rm=T); B
Mean value for ‘ms’ grouped by categorical variables Location and
Grade of the same data set
9
www.Sanaitics.com
Using Aggregation Function
• Single variable, single factor, single function
• Single variable, single factor, multiple functions
• Multiple variables, single factor, multiple functions
• Single variable, multiple factors, multiple functions
• Multiple variables, multiple factors, multiple
functions
10
www.Sanaitics.com
Single Variable, Single Factor, Single Function
A<-aggregate(ba ~ Location,data=data, FUN = mean )
A
To calculate mean for variable ‘ba’ by Location variable
Aggregate function by default ignores the missing data values
11
www.Sanaitics.com
Single Variable, Single Factor, Multiple Functions
f<-function(x) c( mean=mean(x), median=median(x),
sd=sd(x))
B<-aggregate(ba ~ Location,data=data, FUN = f ); B
To calculate mean, median & S.D for variable ‘ba’ by Location
variable
12
www.Sanaitics.com
Multiple Variables, Single Factor, Multiple Functions
f<-function(x) c( mean=round(mean(x,0)),
median=round(median(x,0)), sd=round(sd(x,0)))
C<-aggregate(cbind(ba,ms) ~ Location,data=data, FUN=f )
C
13
www.Sanaitics.com
Single Variable, Multiple Factors, Multiple Functions
f<-function(x) c( mean=round(mean(x,0)),
median=round(median(x,0)), sd=round(sd(x,0)))
D<-aggregate(ba ~ Location+Grade+Function,data=data,
FUN = f ); D
14
www.Sanaitics.com
Multiple Variables, Multiple Factors, Multiple Functions
f<-function(x) c(mean=round(mean(x),0),
sd=round(sd(x),0))
E<-aggregate (cbind(ba,ms) ~ Location+Grade+Function,
data=data, FUN = f ); E
15
www.Sanaitics.com
ddply Function
install.packages(“plyr”)
library(plyr)
ddply(data,.(Location), summarize, mean.ba=
mean(ba,na.rm=TRUE))
‘.’ allows use of factors without quoting
ddply(data, .(Location), summarize, mean.ba = mean(ba,
na.rm=TRUE), sd.ms = sd(ms,na.rm=TRUE), max.ms =
max(ms,na.rm=TRUE))
multiple functions in a single cell
16
www.Sanaitics.com
ddply Function
ddply(data, .(Location, Grade), summarize, avg.ba =
mean(ba,na.rm=TRUE), sd.ms = sd(ms,na.rm=TRUE),
max.ba = max(ba,na.rm=TRUE))
Summarize by combination of variables and factors
17
www.Sanaitics.com
Do you know?
ddply can take one tenth of time to process a data than the
aggregate function
Read more about our research on efficient processing in R at
www.Sanaitics.com/research-paper.html
18
www.Sanaitics.com
Generating Frequency Tables
table<-table(data$Location, data$Grade)
2-way frequency table
prop.table(table)
Table to cell proportions
19
www.Sanaitics.com
Generating Frequency Tables
prop.table(table, 1)
Row proportions
prop.table(table, 2)
Column proportions
20
www.Sanaitics.com
Generating Frequency Tables
table1 <- table(data$Location,data$Grade,data$Function)
ftable(table1)
Table ignores missing values. To include NA as a category in
counts, include the table option exclude=NULL
21
www.Sanaitics.com
Generating Frequency Tables
table2 <- xtabs(~Location+Grade+Function,data=data)
ftable(table2)
Allows formula style input
22
www.Sanaitics.com
Cross Tables
install.packages(“gmodels”)
library(gmodels)
CrossTable(data$Grade,data$Location)
23
www.Sanaitics.com
Cross Tables
library(gmodels)
CrossTable(data$Grade,data$Location, prop.r=FALSE,
prop.c=FALSE)
Remove row & column
proportions
24
www.Sanaitics.com
Visualizing Data
25
www.Sanaitics.com
Bar Plot- Median salary for two grades
A<-aggregate(ba ~ Grade,data=data, FUN = median )
barplot(A$ba, names = A$Grade, col="pink",xlab = "GRADE",
ylab = "median_salary ", main = "SALARY DATA OF
EMPLOYEES")
26
GR1 GR2
SALARY DATA OF EMPLOYEES
GRADE
median_salary
050001000015000
www.Sanaitics.com
Standard Box-Whiskers Plot
boxplot(data$ba,range=0)
• Range determines how far the plot whiskers extend out from the box
• If range is positive, the whiskers extend to the most extreme data
point which is no more than range times the interquartile range
from the box
• A value of zero causes the whiskers to extend to the data extremes.
So here in this case no outliers will be returned
27
www.Sanaitics.com
Modified Box-Whiskers Plot
• Constructed to highlight outliers where Standard Boxplot fails
• Default in R, requires no special parameters
• The "dots" at the end of the boxplot represent outliers
• There are a number of different rules for determining if a point is
an outlier, but the method that R and ggplot use is the "1.5 rule“
If a data point is either:
1. less than Q1 - 1.5*IQR
2. greater than Q3 + 1.5*IQR
then that point is classed as an "outlier". The whisker line goes to
the first data point before the "1.5" cut-off.
Note: IQR = Q3 - Q1
28
www.Sanaitics.com
Box Plot – Single Variable
boxplot(data$ba,col="coral1",main="boxplot for variable
ba " , ylab=" basic allowance range " , xlab="ba")
29
www.Sanaitics.com
Box Plot – Single Variable, Two Factors
boxplot(data$ba~data$Location+data$Grade,
col=c("orange"),main="boxplot" , ylab="basic allowance
range”, xlab="ba" )
30
www.Sanaitics.com
Box Plot – Single Variable, Multiple Factors
boxplot(data$ms~data$Location+data$Grade+data$Funct
ion, col=“gold”, main=“boxplot”,ylab=“MS range”,
xlab=“ms” )
31
www.Sanaitics.com
Pie Chart
pie(table(data$Location),main="pie chart of employee
location",col=rainbow(8))
32
www.Sanaitics.com
Histogram
hist(data$ba,include.lowest=TRUE,labels=TRUE,
col="orange",main="Histogram_BA" , xlab=" class intervals" ,
ylab="frequency",border="blue")
33
Histogram_BA
class intervals
frequency
10000 15000 20000 25000 30000
0246810
2
10
9
6
5
3
4
0
1 1
www.Sanaitics.com
Histogram
install.packages(“lattice”)
library(lattice)
histogram(~ms+ba, layout=c(1,2), data=data, col=“pink”,
xlab=“ba/ms”, ylab=“frequency”, main=“multiple histogram in same
panel”
34
www.Sanaitics.com
Bivariate Analysis
35
www.Sanaitics.com
Scatter Plot
Upload the Job Data provided to you into R Console
plot(job_data$Aptitude,job_data$JOB_Prof, main=“ simple
Scatter plot", xlab=“Aptitude Score", ylab="Job proficiency" )
Shows positive correlation
36
60 80 100 120 140
60708090100110120
simple Scatter plot
Aptitude Score
Jobproficiency
www.Sanaitics.com
Scatter Plot Matrix
pairs(~.,data=job_data[,-1],main=“Simple Scatterplot Matrix”)
37
www.Sanaitics.com
Pearson Correlation
Cor1<-round(cor(job_data[,c(1,5)],
use="pairwise.complete.obs", method="pearson"), 2)
Cor1
38
www.Sanaitics.com
Pearson Correlation
Cor2<-round(cor(job_data[,-1], use="pairwise.complete.obs",
method="pearson"),2)
Cor2
39
www.Sanaitics.com
Spearman Correlation
machine_performance<-c(5, 7, 9, 9, 8, 6, 4, 8, 7, 7)
operator_satisfaction<-c(6, 7, 4, 4, 8, 7, 3, 9, 5, 8)
Newdata<-
data.frame(machine_performance,operator_satisfaction)
Newdata
40
www.Sanaitics.com
Spearman Correlation
Cor3<-round(cor(Newdata, use="pairwise.complete.obs",
method="spearman"),2)
Cor3
41
www.Sanaitics.com
Save Output to HTML format
install.packages(“R2HTML”)
library(R2HTML)
HTMLStart(outdir="C:/Users/Desktop",file="myreport",
extension="html",echo=TRUE,HTMLframe=TRUE)
HTML.title("myreport",HR=1)
summary(data)
HTML.title("histogram_BA",HR=3)
hist(data$ba,include.lowest=TRUE, col="orange",main="Histogram_BA" ,
xlab="class intervals" , ylab="frequency",border="blue")
HTMLplot()
HTMLStop()
42
www.Sanaitics.com
Save Output to HTML format
43
www.Sanaitics.com
Save Output to HTML format
44
www.Sanaitics.com
NOW YOU ARE AN EXPERT!
45
www.Sanaitics.com
Become a SANKHYA CERTIFIED R PROGRAMMER
Enroll at www.Sanaitics.com/certification.asp

More Related Content

What's hot

Introduction to Pandas and Time Series Analysis [PyCon DE]
Introduction to Pandas and Time Series Analysis [PyCon DE]Introduction to Pandas and Time Series Analysis [PyCon DE]
Introduction to Pandas and Time Series Analysis [PyCon DE]Alexander Hendorf
 
Extending Spark for Qbeast's SQL Data Source​ with Paola Pardo and Cesare Cug...
Extending Spark for Qbeast's SQL Data Source​ with Paola Pardo and Cesare Cug...Extending Spark for Qbeast's SQL Data Source​ with Paola Pardo and Cesare Cug...
Extending Spark for Qbeast's SQL Data Source​ with Paola Pardo and Cesare Cug...Qbeast
 
3 R Tutorial Data Structure
3 R Tutorial Data Structure3 R Tutorial Data Structure
3 R Tutorial Data StructureSakthi Dasans
 
Is there a perfect data-parallel programming language? (Experiments with More...
Is there a perfect data-parallel programming language? (Experiments with More...Is there a perfect data-parallel programming language? (Experiments with More...
Is there a perfect data-parallel programming language? (Experiments with More...Julian Hyde
 
Python and Data Analysis
Python and Data AnalysisPython and Data Analysis
Python and Data AnalysisPraveen Nair
 
Hive Functions Cheat Sheet
Hive Functions Cheat SheetHive Functions Cheat Sheet
Hive Functions Cheat SheetHortonworks
 
R programming & Machine Learning
R programming & Machine LearningR programming & Machine Learning
R programming & Machine LearningAmanBhalla14
 
Pumps, Compressors and Turbine Fault Frequency Analysis
Pumps, Compressors and Turbine Fault Frequency AnalysisPumps, Compressors and Turbine Fault Frequency Analysis
Pumps, Compressors and Turbine Fault Frequency AnalysisUniversity of Illinois,Chicago
 
Pumps, Compressors and Turbine Fault Frequency Analysis
Pumps, Compressors and Turbine Fault Frequency AnalysisPumps, Compressors and Turbine Fault Frequency Analysis
Pumps, Compressors and Turbine Fault Frequency AnalysisUniversity of Illinois,Chicago
 
Export Data using R Studio
Export Data using R StudioExport Data using R Studio
Export Data using R StudioRupak Roy
 
Efficient spatial queries on vanilla databases
Efficient spatial queries on vanilla databasesEfficient spatial queries on vanilla databases
Efficient spatial queries on vanilla databasesJulian Hyde
 
Grouping & Summarizing Data in R
Grouping & Summarizing Data in RGrouping & Summarizing Data in R
Grouping & Summarizing Data in RJeffrey Breen
 
Stata Programming Cheat Sheet
Stata Programming Cheat SheetStata Programming Cheat Sheet
Stata Programming Cheat SheetLaura Hughes
 
Best corporate-r-programming-training-in-mumbai
Best corporate-r-programming-training-in-mumbaiBest corporate-r-programming-training-in-mumbai
Best corporate-r-programming-training-in-mumbaiUnmesh Baile
 
Lazy beats Smart and Fast
Lazy beats Smart and FastLazy beats Smart and Fast
Lazy beats Smart and FastJulian Hyde
 

What's hot (20)

Introduction to Pandas and Time Series Analysis [PyCon DE]
Introduction to Pandas and Time Series Analysis [PyCon DE]Introduction to Pandas and Time Series Analysis [PyCon DE]
Introduction to Pandas and Time Series Analysis [PyCon DE]
 
R Introduction
R IntroductionR Introduction
R Introduction
 
R programming by ganesh kavhar
R programming by ganesh kavharR programming by ganesh kavhar
R programming by ganesh kavhar
 
Data Management in Python
Data Management in PythonData Management in Python
Data Management in Python
 
Extending Spark for Qbeast's SQL Data Source​ with Paola Pardo and Cesare Cug...
Extending Spark for Qbeast's SQL Data Source​ with Paola Pardo and Cesare Cug...Extending Spark for Qbeast's SQL Data Source​ with Paola Pardo and Cesare Cug...
Extending Spark for Qbeast's SQL Data Source​ with Paola Pardo and Cesare Cug...
 
3 R Tutorial Data Structure
3 R Tutorial Data Structure3 R Tutorial Data Structure
3 R Tutorial Data Structure
 
Is there a perfect data-parallel programming language? (Experiments with More...
Is there a perfect data-parallel programming language? (Experiments with More...Is there a perfect data-parallel programming language? (Experiments with More...
Is there a perfect data-parallel programming language? (Experiments with More...
 
Sparklyr
SparklyrSparklyr
Sparklyr
 
Python and Data Analysis
Python and Data AnalysisPython and Data Analysis
Python and Data Analysis
 
Hive Functions Cheat Sheet
Hive Functions Cheat SheetHive Functions Cheat Sheet
Hive Functions Cheat Sheet
 
R programming & Machine Learning
R programming & Machine LearningR programming & Machine Learning
R programming & Machine Learning
 
Pumps, Compressors and Turbine Fault Frequency Analysis
Pumps, Compressors and Turbine Fault Frequency AnalysisPumps, Compressors and Turbine Fault Frequency Analysis
Pumps, Compressors and Turbine Fault Frequency Analysis
 
Pumps, Compressors and Turbine Fault Frequency Analysis
Pumps, Compressors and Turbine Fault Frequency AnalysisPumps, Compressors and Turbine Fault Frequency Analysis
Pumps, Compressors and Turbine Fault Frequency Analysis
 
Data transformation-cheatsheet
Data transformation-cheatsheetData transformation-cheatsheet
Data transformation-cheatsheet
 
Export Data using R Studio
Export Data using R StudioExport Data using R Studio
Export Data using R Studio
 
Efficient spatial queries on vanilla databases
Efficient spatial queries on vanilla databasesEfficient spatial queries on vanilla databases
Efficient spatial queries on vanilla databases
 
Grouping & Summarizing Data in R
Grouping & Summarizing Data in RGrouping & Summarizing Data in R
Grouping & Summarizing Data in R
 
Stata Programming Cheat Sheet
Stata Programming Cheat SheetStata Programming Cheat Sheet
Stata Programming Cheat Sheet
 
Best corporate-r-programming-training-in-mumbai
Best corporate-r-programming-training-in-mumbaiBest corporate-r-programming-training-in-mumbai
Best corporate-r-programming-training-in-mumbai
 
Lazy beats Smart and Fast
Lazy beats Smart and FastLazy beats Smart and Fast
Lazy beats Smart and Fast
 

Similar to R Get Started II

Samantha Wang [InfluxData] | Best Practices on How to Transform Your Data Usi...
Samantha Wang [InfluxData] | Best Practices on How to Transform Your Data Usi...Samantha Wang [InfluxData] | Best Practices on How to Transform Your Data Usi...
Samantha Wang [InfluxData] | Best Practices on How to Transform Your Data Usi...InfluxData
 
ComputeFest 2012: Intro To R for Physical Sciences
ComputeFest 2012: Intro To R for Physical SciencesComputeFest 2012: Intro To R for Physical Sciences
ComputeFest 2012: Intro To R for Physical Sciencesalexstorer
 
Mini-lab 1: Stochastic Gradient Descent classifier, Optimizing Logistic Regre...
Mini-lab 1: Stochastic Gradient Descent classifier, Optimizing Logistic Regre...Mini-lab 1: Stochastic Gradient Descent classifier, Optimizing Logistic Regre...
Mini-lab 1: Stochastic Gradient Descent classifier, Optimizing Logistic Regre...Yao Yao
 
Data manipulation on r
Data manipulation on rData manipulation on r
Data manipulation on rAbhik Seal
 
R Programming: Mathematical Functions In R
R Programming: Mathematical Functions In RR Programming: Mathematical Functions In R
R Programming: Mathematical Functions In RRsquared Academy
 
Pivoting Data with SparkSQL by Andrew Ray
Pivoting Data with SparkSQL by Andrew RayPivoting Data with SparkSQL by Andrew Ray
Pivoting Data with SparkSQL by Andrew RaySpark Summit
 
Stratosphere Intro (Java and Scala Interface)
Stratosphere Intro (Java and Scala Interface)Stratosphere Intro (Java and Scala Interface)
Stratosphere Intro (Java and Scala Interface)Robert Metzger
 
What's new in Apache SystemML - Declarative Machine Learning
What's new in Apache SystemML  - Declarative Machine LearningWhat's new in Apache SystemML  - Declarative Machine Learning
What's new in Apache SystemML - Declarative Machine LearningLuciano Resende
 
No more struggles with Apache Spark workloads in production
No more struggles with Apache Spark workloads in productionNo more struggles with Apache Spark workloads in production
No more struggles with Apache Spark workloads in productionChetan Khatri
 
Practical data science_public
Practical data science_publicPractical data science_public
Practical data science_publicLong Nguyen
 
Big Data Mining in Indian Economic Survey 2017
Big Data Mining in Indian Economic Survey 2017Big Data Mining in Indian Economic Survey 2017
Big Data Mining in Indian Economic Survey 2017Parth Khare
 
SystemML - Declarative Machine Learning
SystemML - Declarative Machine LearningSystemML - Declarative Machine Learning
SystemML - Declarative Machine LearningLuciano Resende
 

Similar to R Get Started II (20)

R code for data manipulation
R code for data manipulationR code for data manipulation
R code for data manipulation
 
R code for data manipulation
R code for data manipulationR code for data manipulation
R code for data manipulation
 
Samantha Wang [InfluxData] | Best Practices on How to Transform Your Data Usi...
Samantha Wang [InfluxData] | Best Practices on How to Transform Your Data Usi...Samantha Wang [InfluxData] | Best Practices on How to Transform Your Data Usi...
Samantha Wang [InfluxData] | Best Practices on How to Transform Your Data Usi...
 
ComputeFest 2012: Intro To R for Physical Sciences
ComputeFest 2012: Intro To R for Physical SciencesComputeFest 2012: Intro To R for Physical Sciences
ComputeFest 2012: Intro To R for Physical Sciences
 
Mathematica for Physicits
Mathematica for PhysicitsMathematica for Physicits
Mathematica for Physicits
 
Mini-lab 1: Stochastic Gradient Descent classifier, Optimizing Logistic Regre...
Mini-lab 1: Stochastic Gradient Descent classifier, Optimizing Logistic Regre...Mini-lab 1: Stochastic Gradient Descent classifier, Optimizing Logistic Regre...
Mini-lab 1: Stochastic Gradient Descent classifier, Optimizing Logistic Regre...
 
Data manipulation on r
Data manipulation on rData manipulation on r
Data manipulation on r
 
R Programming: Mathematical Functions In R
R Programming: Mathematical Functions In RR Programming: Mathematical Functions In R
R Programming: Mathematical Functions In R
 
Pivoting Data with SparkSQL by Andrew Ray
Pivoting Data with SparkSQL by Andrew RayPivoting Data with SparkSQL by Andrew Ray
Pivoting Data with SparkSQL by Andrew Ray
 
R console
R consoleR console
R console
 
Stratosphere Intro (Java and Scala Interface)
Stratosphere Intro (Java and Scala Interface)Stratosphere Intro (Java and Scala Interface)
Stratosphere Intro (Java and Scala Interface)
 
Data Management in R
Data Management in RData Management in R
Data Management in R
 
What's new in Apache SystemML - Declarative Machine Learning
What's new in Apache SystemML  - Declarative Machine LearningWhat's new in Apache SystemML  - Declarative Machine Learning
What's new in Apache SystemML - Declarative Machine Learning
 
R for Statistical Computing
R for Statistical ComputingR for Statistical Computing
R for Statistical Computing
 
No more struggles with Apache Spark workloads in production
No more struggles with Apache Spark workloads in productionNo more struggles with Apache Spark workloads in production
No more struggles with Apache Spark workloads in production
 
Practical data science_public
Practical data science_publicPractical data science_public
Practical data science_public
 
Big Data Mining in Indian Economic Survey 2017
Big Data Mining in Indian Economic Survey 2017Big Data Mining in Indian Economic Survey 2017
Big Data Mining in Indian Economic Survey 2017
 
proj1v2
proj1v2proj1v2
proj1v2
 
SystemML - Declarative Machine Learning
SystemML - Declarative Machine LearningSystemML - Declarative Machine Learning
SystemML - Declarative Machine Learning
 
Introduction to R
Introduction to RIntroduction to R
Introduction to R
 

More from Sankhya_Analytics

More from Sankhya_Analytics (6)

Getting Started with Python
Getting Started with PythonGetting Started with Python
Getting Started with Python
 
Basic Analysis using Python
Basic Analysis using PythonBasic Analysis using Python
Basic Analysis using Python
 
Getting Started with MySQL II
Getting Started with MySQL IIGetting Started with MySQL II
Getting Started with MySQL II
 
Getting Started with MySQL I
Getting Started with MySQL IGetting Started with MySQL I
Getting Started with MySQL I
 
Getting Started with R
Getting Started with RGetting Started with R
Getting Started with R
 
Basic Analysis using R
Basic Analysis using RBasic Analysis using R
Basic Analysis using R
 

Recently uploaded

“Oh GOSH! Reflecting on Hackteria's Collaborative Practices in a Global Do-It...
“Oh GOSH! Reflecting on Hackteria's Collaborative Practices in a Global Do-It...“Oh GOSH! Reflecting on Hackteria's Collaborative Practices in a Global Do-It...
“Oh GOSH! Reflecting on Hackteria's Collaborative Practices in a Global Do-It...Marc Dusseiller Dusjagr
 
Final demo Grade 9 for demo Plan dessert.pptx
Final demo Grade 9 for demo Plan dessert.pptxFinal demo Grade 9 for demo Plan dessert.pptx
Final demo Grade 9 for demo Plan dessert.pptxAvyJaneVismanos
 
KSHARA STURA .pptx---KSHARA KARMA THERAPY (CAUSTIC THERAPY)————IMP.OF KSHARA ...
KSHARA STURA .pptx---KSHARA KARMA THERAPY (CAUSTIC THERAPY)————IMP.OF KSHARA ...KSHARA STURA .pptx---KSHARA KARMA THERAPY (CAUSTIC THERAPY)————IMP.OF KSHARA ...
KSHARA STURA .pptx---KSHARA KARMA THERAPY (CAUSTIC THERAPY)————IMP.OF KSHARA ...M56BOOKSTORE PRODUCT/SERVICE
 
Hierarchy of management that covers different levels of management
Hierarchy of management that covers different levels of managementHierarchy of management that covers different levels of management
Hierarchy of management that covers different levels of managementmkooblal
 
Computed Fields and api Depends in the Odoo 17
Computed Fields and api Depends in the Odoo 17Computed Fields and api Depends in the Odoo 17
Computed Fields and api Depends in the Odoo 17Celine George
 
Interactive Powerpoint_How to Master effective communication
Interactive Powerpoint_How to Master effective communicationInteractive Powerpoint_How to Master effective communication
Interactive Powerpoint_How to Master effective communicationnomboosow
 
call girls in Kamla Market (DELHI) 🔝 >༒9953330565🔝 genuine Escort Service 🔝✔️✔️
call girls in Kamla Market (DELHI) 🔝 >༒9953330565🔝 genuine Escort Service 🔝✔️✔️call girls in Kamla Market (DELHI) 🔝 >༒9953330565🔝 genuine Escort Service 🔝✔️✔️
call girls in Kamla Market (DELHI) 🔝 >༒9953330565🔝 genuine Escort Service 🔝✔️✔️9953056974 Low Rate Call Girls In Saket, Delhi NCR
 
Employee wellbeing at the workplace.pptx
Employee wellbeing at the workplace.pptxEmployee wellbeing at the workplace.pptx
Employee wellbeing at the workplace.pptxNirmalaLoungPoorunde1
 
Painted Grey Ware.pptx, PGW Culture of India
Painted Grey Ware.pptx, PGW Culture of IndiaPainted Grey Ware.pptx, PGW Culture of India
Painted Grey Ware.pptx, PGW Culture of IndiaVirag Sontakke
 
How to Configure Email Server in Odoo 17
How to Configure Email Server in Odoo 17How to Configure Email Server in Odoo 17
How to Configure Email Server in Odoo 17Celine George
 
Historical philosophical, theoretical, and legal foundations of special and i...
Historical philosophical, theoretical, and legal foundations of special and i...Historical philosophical, theoretical, and legal foundations of special and i...
Historical philosophical, theoretical, and legal foundations of special and i...jaredbarbolino94
 
18-04-UA_REPORT_MEDIALITERAСY_INDEX-DM_23-1-final-eng.pdf
18-04-UA_REPORT_MEDIALITERAСY_INDEX-DM_23-1-final-eng.pdf18-04-UA_REPORT_MEDIALITERAСY_INDEX-DM_23-1-final-eng.pdf
18-04-UA_REPORT_MEDIALITERAСY_INDEX-DM_23-1-final-eng.pdfssuser54595a
 
MARGINALIZATION (Different learners in Marginalized Group
MARGINALIZATION (Different learners in Marginalized GroupMARGINALIZATION (Different learners in Marginalized Group
MARGINALIZATION (Different learners in Marginalized GroupJonathanParaisoCruz
 
भारत-रोम व्यापार.pptx, Indo-Roman Trade,
भारत-रोम व्यापार.pptx, Indo-Roman Trade,भारत-रोम व्यापार.pptx, Indo-Roman Trade,
भारत-रोम व्यापार.pptx, Indo-Roman Trade,Virag Sontakke
 
Pharmacognosy Flower 3. Compositae 2023.pdf
Pharmacognosy Flower 3. Compositae 2023.pdfPharmacognosy Flower 3. Compositae 2023.pdf
Pharmacognosy Flower 3. Compositae 2023.pdfMahmoud M. Sallam
 
CELL CYCLE Division Science 8 quarter IV.pptx
CELL CYCLE Division Science 8 quarter IV.pptxCELL CYCLE Division Science 8 quarter IV.pptx
CELL CYCLE Division Science 8 quarter IV.pptxJiesonDelaCerna
 

Recently uploaded (20)

“Oh GOSH! Reflecting on Hackteria's Collaborative Practices in a Global Do-It...
“Oh GOSH! Reflecting on Hackteria's Collaborative Practices in a Global Do-It...“Oh GOSH! Reflecting on Hackteria's Collaborative Practices in a Global Do-It...
“Oh GOSH! Reflecting on Hackteria's Collaborative Practices in a Global Do-It...
 
Final demo Grade 9 for demo Plan dessert.pptx
Final demo Grade 9 for demo Plan dessert.pptxFinal demo Grade 9 for demo Plan dessert.pptx
Final demo Grade 9 for demo Plan dessert.pptx
 
KSHARA STURA .pptx---KSHARA KARMA THERAPY (CAUSTIC THERAPY)————IMP.OF KSHARA ...
KSHARA STURA .pptx---KSHARA KARMA THERAPY (CAUSTIC THERAPY)————IMP.OF KSHARA ...KSHARA STURA .pptx---KSHARA KARMA THERAPY (CAUSTIC THERAPY)————IMP.OF KSHARA ...
KSHARA STURA .pptx---KSHARA KARMA THERAPY (CAUSTIC THERAPY)————IMP.OF KSHARA ...
 
Hierarchy of management that covers different levels of management
Hierarchy of management that covers different levels of managementHierarchy of management that covers different levels of management
Hierarchy of management that covers different levels of management
 
Model Call Girl in Bikash Puri Delhi reach out to us at 🔝9953056974🔝
Model Call Girl in Bikash Puri  Delhi reach out to us at 🔝9953056974🔝Model Call Girl in Bikash Puri  Delhi reach out to us at 🔝9953056974🔝
Model Call Girl in Bikash Puri Delhi reach out to us at 🔝9953056974🔝
 
Computed Fields and api Depends in the Odoo 17
Computed Fields and api Depends in the Odoo 17Computed Fields and api Depends in the Odoo 17
Computed Fields and api Depends in the Odoo 17
 
Interactive Powerpoint_How to Master effective communication
Interactive Powerpoint_How to Master effective communicationInteractive Powerpoint_How to Master effective communication
Interactive Powerpoint_How to Master effective communication
 
call girls in Kamla Market (DELHI) 🔝 >༒9953330565🔝 genuine Escort Service 🔝✔️✔️
call girls in Kamla Market (DELHI) 🔝 >༒9953330565🔝 genuine Escort Service 🔝✔️✔️call girls in Kamla Market (DELHI) 🔝 >༒9953330565🔝 genuine Escort Service 🔝✔️✔️
call girls in Kamla Market (DELHI) 🔝 >༒9953330565🔝 genuine Escort Service 🔝✔️✔️
 
TataKelola dan KamSiber Kecerdasan Buatan v022.pdf
TataKelola dan KamSiber Kecerdasan Buatan v022.pdfTataKelola dan KamSiber Kecerdasan Buatan v022.pdf
TataKelola dan KamSiber Kecerdasan Buatan v022.pdf
 
Employee wellbeing at the workplace.pptx
Employee wellbeing at the workplace.pptxEmployee wellbeing at the workplace.pptx
Employee wellbeing at the workplace.pptx
 
Painted Grey Ware.pptx, PGW Culture of India
Painted Grey Ware.pptx, PGW Culture of IndiaPainted Grey Ware.pptx, PGW Culture of India
Painted Grey Ware.pptx, PGW Culture of India
 
How to Configure Email Server in Odoo 17
How to Configure Email Server in Odoo 17How to Configure Email Server in Odoo 17
How to Configure Email Server in Odoo 17
 
Historical philosophical, theoretical, and legal foundations of special and i...
Historical philosophical, theoretical, and legal foundations of special and i...Historical philosophical, theoretical, and legal foundations of special and i...
Historical philosophical, theoretical, and legal foundations of special and i...
 
OS-operating systems- ch04 (Threads) ...
OS-operating systems- ch04 (Threads) ...OS-operating systems- ch04 (Threads) ...
OS-operating systems- ch04 (Threads) ...
 
9953330565 Low Rate Call Girls In Rohini Delhi NCR
9953330565 Low Rate Call Girls In Rohini  Delhi NCR9953330565 Low Rate Call Girls In Rohini  Delhi NCR
9953330565 Low Rate Call Girls In Rohini Delhi NCR
 
18-04-UA_REPORT_MEDIALITERAСY_INDEX-DM_23-1-final-eng.pdf
18-04-UA_REPORT_MEDIALITERAСY_INDEX-DM_23-1-final-eng.pdf18-04-UA_REPORT_MEDIALITERAСY_INDEX-DM_23-1-final-eng.pdf
18-04-UA_REPORT_MEDIALITERAСY_INDEX-DM_23-1-final-eng.pdf
 
MARGINALIZATION (Different learners in Marginalized Group
MARGINALIZATION (Different learners in Marginalized GroupMARGINALIZATION (Different learners in Marginalized Group
MARGINALIZATION (Different learners in Marginalized Group
 
भारत-रोम व्यापार.pptx, Indo-Roman Trade,
भारत-रोम व्यापार.pptx, Indo-Roman Trade,भारत-रोम व्यापार.pptx, Indo-Roman Trade,
भारत-रोम व्यापार.pptx, Indo-Roman Trade,
 
Pharmacognosy Flower 3. Compositae 2023.pdf
Pharmacognosy Flower 3. Compositae 2023.pdfPharmacognosy Flower 3. Compositae 2023.pdf
Pharmacognosy Flower 3. Compositae 2023.pdf
 
CELL CYCLE Division Science 8 quarter IV.pptx
CELL CYCLE Division Science 8 quarter IV.pptxCELL CYCLE Division Science 8 quarter IV.pptx
CELL CYCLE Division Science 8 quarter IV.pptx
 

R Get Started II