SlideShare a Scribd company logo
1 of 17
Download to read offline
JavaScript for ABAP Programmers
Functions as 1st Class Citizens
Chris Whealy / The RIG
ABAP
Strongly typed
Syntax similar to COBOL
Block Scope
No equivalent concept
OO using class based inheritance
Imperative programming

JavaScript
Weakly typed
Syntax derived from Java
Lexical Scope
Functions are 1st class citizens
OO using referential inheritance
Imperative or Functional programming
1st Class Functions
Any programming language in which functions are treated as “1st class citizens” is said to implement
“1st class functions”.
So, what does that mean – functions have voting rights?

© 2013 SAP AG. All rights reserved.

3
1st Class Functions
Any programming language in which functions are treated as “1st class citizens” is said to implement
“1st class functions”.
So, what does that mean – functions have voting rights?
No, a 1st class citizen is any object that can be:
 Created or destroyed dynamically

© 2013 SAP AG. All rights reserved.

4
1st Class Functions
Any programming language in which functions are treated as “1st class citizens” is said to implement
“1st class functions”.
So, what does that mean – functions have voting rights?
No, a 1st class citizen is any object that can be:
 Created or destroyed dynamically
 Treated as data, meaning that it can be both:
 Passed as an argument to a function and
 Returned as the result of running a function

© 2013 SAP AG. All rights reserved.

5
1st Class Functions
Any programming language in which functions are treated as “1st class citizens” is said to implement
“1st class functions”.
So, what does that mean – functions have voting rights?
No, a 1st class citizen is any object that can be:
 Created or destroyed dynamically
 Treated as data, meaning that it can be both:
 Passed as an argument to a function and
 Returned as the result of running a function
In JavaScript, all the above statements are applicable to functions because a function is simply an
object “with an executable part”. This means a JavaScript function can be treated either as:
 An object like any other data object, or as
 A executable unit of code

© 2013 SAP AG. All rights reserved.

6
1st Class Functions: Dynamic Creation
A JavaScript function can be created dynamically based on the data available at runtime.
// List of animals and the noises they make
var animalNoises = ["dog","woof","cat","meow","pig","oink","cow","moo"];
// A function that returns a text string describing an animal noise
function noiseMaker(name) {
var n
= animalNoises.indexOf(name);
var noise = (n == -1) ? "a sound I don't know" : animalNoises[n + 1];
return "A " + name + " says " + noise;
}

© 2013 SAP AG. All rights reserved.

7
1st Class Functions: Dynamic Creation
A JavaScript function can be created dynamically based on the data available at runtime.
// List of animals and the noises they make
var animalNoises = ["dog","woof","cat","meow","pig","oink","cow","moo"];
// A function that returns a text string describing an animal noise
function noiseMaker(name) {
var n
= animalNoises.indexOf(name);
var noise = (n == -1) ? "a sound I don't know" : animalNoises[n + 1];
return "A " + name + " says " + noise;
}
// Dynamically create some function objects specific to certain animals
var pigSays
= new Function("alert("" + noiseMaker("pig") + "");");
var sheepSays = new Function("alert("" + noiseMaker("sheep") + "");");

© 2013 SAP AG. All rights reserved.

8
1st Class Functions: Dynamic Creation
A JavaScript function can be created dynamically based on the data available at runtime.
// List of animals and the noises they make
var animalNoises = ["dog","woof","cat","meow","pig","oink","cow","moo"];
// A function that returns a text string describing an animal noise
function noiseMaker(name) {
var n
= animalNoises.indexOf(name);
var noise = (n == -1) ? "a sound I don't know" : animalNoises[n + 1];
return "A " + name + " says " + noise;
}
// Dynamically create some function objects specific to certain animals
var pigSays
= new Function("alert("" + noiseMaker("pig") + "");");
var sheepSays = new Function("alert("" + noiseMaker("sheep") + "");");
// Call these dynamically created function objects using the invocation operator
pigSays();

© 2013 SAP AG. All rights reserved.

9
1st Class Functions: Dynamic Creation
A JavaScript function can be created dynamically based on the data available at runtime.
// List of animals and the noises they make
var animalNoises = ["dog","woof","cat","meow","pig","oink","cow","moo"];
// A function that returns a text string describing an animal noise
function noiseMaker(name) {
var n
= animalNoises.indexOf(name);
var noise = (n == -1) ? "a sound I don't know" : animalNoises[n + 1];
return "A " + name + " says " + noise;
}
// Dynamically create some function objects specific to certain animals
var pigSays
= new Function("alert("" + noiseMaker("pig") + "");");
var sheepSays = new Function("alert("" + noiseMaker("sheep") + "");");
// Call these dynamically created function objects using the invocation operator
pigSays();
sheepSays();
© 2013 SAP AG. All rights reserved.

10
1st Class Functions: Dynamic Destruction
Setting a function object to null destroys that object.
// Destroy the dynamically created function objects
pigSays
= null;
sheepSays = null;

Notice here that reference is made to the function object itself, not the result of invoking that function.
In other words, the invocation operator () must not be used.

© 2013 SAP AG. All rights reserved.

11
1st Class Functions: Functions as Arguments
Since JavaScript treats a function is an object, the functions created in the previous example can be
passed as parameters in the same way you would pass an object containing only data.
// A function that will execute any number of functions it is passed
function noisyFarmyard() {
// Did we receive any parameters?
if (arguments.length > 0) {
// Loop around those parameters checking to see if any of them are of type ‘function’
for (var i=0; i<arguments.length; i++) {
if (typeof arguments[i] === 'function') {
arguments[i]();
}
}
}
}
noisyFarmyard(pigSays, sheepSays);

© 2013 SAP AG. All rights reserved.

Function objects can be passed as
arguments just like any other object

12
1st Class Functions: Functions as Arguments
Since JavaScript treats a function is an object, the functions created in the previous example can be
passed as parameters in the same way you would pass an object containing only data.
// A function that will execute any number of functions it is passed
function noisyFarmyard() {
// Did we receive any parameters?
if (arguments.length > 0) {
// Loop around those parameters checking to see if any of them are of type ‘function’
for (var i=0; i<arguments.length; i++) {
if (typeof arguments[i] === 'function') {
arguments[i]();
}
Because we test the data type of each
}
argument, we can determine whether the value
}
we’ve been passed is executable or not
}
noisyFarmyard(pigSays, sheepSays);

© 2013 SAP AG. All rights reserved.

13
1st Class Functions: Functions as Return Values 1/2
Having a function that returns a function is powerful tool for abstraction. Instead of a function returning
the required value, it returns a function that must be executed to obtain the required value.
// A function that works out how many animal functions have been created
function animalList() {
var listOfAnimals = [];
// Check whether a function has been created for each animal
for (var i=0; i<animalNoises.length; i=i+2) {
var fName = animalNoises[i]+"Says";

if (typeof window[fName] === 'function') {
listOfAnimals.push(fName);
}
}
return function() {
return listOfAnimals;
}

Using the array syntax for accessing an object
property, we can check whether the required
function not only exists within the Global Object,
but is also of type 'function'

}
© 2013 SAP AG. All rights reserved.

14
1st Class Functions: Functions as Return Values 1/2
Having a function that returns a function is powerful tool for abstraction. Instead of a function returning
the required value, it returns a function that must be executed to obtain the required value.
// A function that works out how many animal functions have been created
function animalList() {
var listOfAnimals = [];
// Check whether a function has been created for each animal
for (var i=0; i<animalNoises.length; i=i+2) {
var fName = animalNoises[i]+"Says";

if (typeof window[fName] === 'function') {
listOfAnimals.push(fName);
}
}
return function() {
return listOfAnimals;
}

Here, we return a function which when invoked,
will return the array called listOfAnimals

}
© 2013 SAP AG. All rights reserved.

15
1st Class Functions: Functions as Return Values 2/2
Once this function is called, it doesn't return the data we require; instead, it returns a function that
when called, will return the required data.
// A function that works out how many animal functions have been created
function animalList() {
... snip ...
}
// The call to function animalList() returns a function object. So 'animalListFunction' is
// not the data we want, but a function that when executed, will generate the data we want.
var animalListFunction = animalList();

© 2013 SAP AG. All rights reserved.

16
1st Class Functions: Functions as Return Values 2/2
Once this function is called, it doesn't return the data we require; instead, it returns a function that
when called, will return the required data.
// A function that works out how many animal functions have been created
function animalList() {
... snip ...
}
// The call to function animalList() returns a function object. So 'animalListFunction' is
// not the data we want, but a function that when executed, will generate the data we want.
var animalListFunction = animalList();

// 'animalListFunction' must now be executed using the invocation operator.
animalListFunction(); //  ["pigSays","sheepSays"]

© 2013 SAP AG. All rights reserved.

17

More Related Content

What's hot

Functional Programming in JavaScript by Luis Atencio
Functional Programming in JavaScript by Luis AtencioFunctional Programming in JavaScript by Luis Atencio
Functional Programming in JavaScript by Luis AtencioLuis Atencio
 
Java ap is you should know
Java ap is you should knowJava ap is you should know
Java ap is you should knowHendrik Ebbers
 
Save time with kotlin in android development
Save time with kotlin in android developmentSave time with kotlin in android development
Save time with kotlin in android developmentAdit Lal
 
Practical tips for building apps with kotlin
Practical tips for building apps with kotlinPractical tips for building apps with kotlin
Practical tips for building apps with kotlinAdit Lal
 
Project Lambda: Evolution of Java
Project Lambda: Evolution of JavaProject Lambda: Evolution of Java
Project Lambda: Evolution of JavaCan Pekdemir
 
What's in Kotlin for us - Alexandre Greschon, MyHeritage
What's in Kotlin for us - Alexandre Greschon, MyHeritageWhat's in Kotlin for us - Alexandre Greschon, MyHeritage
What's in Kotlin for us - Alexandre Greschon, MyHeritageDroidConTLV
 
Journey's End – Collection and Reduction in the Stream API
Journey's End – Collection and Reduction in the Stream APIJourney's End – Collection and Reduction in the Stream API
Journey's End – Collection and Reduction in the Stream APIMaurice Naftalin
 
Functors, Applicatives and Monads In Scala
Functors, Applicatives and Monads In ScalaFunctors, Applicatives and Monads In Scala
Functors, Applicatives and Monads In ScalaKnoldus Inc.
 
06. operator overloading
06. operator overloading06. operator overloading
06. operator overloadingHaresh Jaiswal
 
Reactive Programming with JavaScript
Reactive Programming with JavaScriptReactive Programming with JavaScript
Reactive Programming with JavaScriptCodemotion
 
Building Mobile Apps with Android
Building Mobile Apps with AndroidBuilding Mobile Apps with Android
Building Mobile Apps with AndroidKurt Renzo Acosta
 
Javascript And J Query
Javascript And J QueryJavascript And J Query
Javascript And J Queryitsarsalan
 
The Bestiary of Pure Functional Programming
The Bestiary of Pure Functional Programming The Bestiary of Pure Functional Programming
The Bestiary of Pure Functional Programming Garth Gilmour
 
Advanced functional programing in Swift
Advanced functional programing in SwiftAdvanced functional programing in Swift
Advanced functional programing in SwiftVincent Pradeilles
 

What's hot (20)

Advance JS and oop
Advance JS and oopAdvance JS and oop
Advance JS and oop
 
Functional Programming in JavaScript by Luis Atencio
Functional Programming in JavaScript by Luis AtencioFunctional Programming in JavaScript by Luis Atencio
Functional Programming in JavaScript by Luis Atencio
 
Java ap is you should know
Java ap is you should knowJava ap is you should know
Java ap is you should know
 
Let's JavaScript
Let's JavaScriptLet's JavaScript
Let's JavaScript
 
Save time with kotlin in android development
Save time with kotlin in android developmentSave time with kotlin in android development
Save time with kotlin in android development
 
Practical tips for building apps with kotlin
Practical tips for building apps with kotlinPractical tips for building apps with kotlin
Practical tips for building apps with kotlin
 
Arguments Object in JavaScript
Arguments Object in JavaScriptArguments Object in JavaScript
Arguments Object in JavaScript
 
Project Lambda: Evolution of Java
Project Lambda: Evolution of JavaProject Lambda: Evolution of Java
Project Lambda: Evolution of Java
 
What's in Kotlin for us - Alexandre Greschon, MyHeritage
What's in Kotlin for us - Alexandre Greschon, MyHeritageWhat's in Kotlin for us - Alexandre Greschon, MyHeritage
What's in Kotlin for us - Alexandre Greschon, MyHeritage
 
Partial Functions in Scala
Partial Functions in ScalaPartial Functions in Scala
Partial Functions in Scala
 
Journey's End – Collection and Reduction in the Stream API
Journey's End – Collection and Reduction in the Stream APIJourney's End – Collection and Reduction in the Stream API
Journey's End – Collection and Reduction in the Stream API
 
Functors, Applicatives and Monads In Scala
Functors, Applicatives and Monads In ScalaFunctors, Applicatives and Monads In Scala
Functors, Applicatives and Monads In Scala
 
06. operator overloading
06. operator overloading06. operator overloading
06. operator overloading
 
Reactive Programming with JavaScript
Reactive Programming with JavaScriptReactive Programming with JavaScript
Reactive Programming with JavaScript
 
Splat
SplatSplat
Splat
 
Cocoa heads 09112017
Cocoa heads 09112017Cocoa heads 09112017
Cocoa heads 09112017
 
Building Mobile Apps with Android
Building Mobile Apps with AndroidBuilding Mobile Apps with Android
Building Mobile Apps with Android
 
Javascript And J Query
Javascript And J QueryJavascript And J Query
Javascript And J Query
 
The Bestiary of Pure Functional Programming
The Bestiary of Pure Functional Programming The Bestiary of Pure Functional Programming
The Bestiary of Pure Functional Programming
 
Advanced functional programing in Swift
Advanced functional programing in SwiftAdvanced functional programing in Swift
Advanced functional programing in Swift
 

Similar to JavaScript for ABAP Programmers - 5/7 Functions

Similar to JavaScript for ABAP Programmers - 5/7 Functions (20)

JavaScript (without DOM)
JavaScript (without DOM)JavaScript (without DOM)
JavaScript (without DOM)
 
25-functions.ppt
25-functions.ppt25-functions.ppt
25-functions.ppt
 
oojs
oojsoojs
oojs
 
ES6 metaprogramming unleashed
ES6 metaprogramming unleashedES6 metaprogramming unleashed
ES6 metaprogramming unleashed
 
JavaScript for real men
JavaScript for real menJavaScript for real men
JavaScript for real men
 
ES6: The Awesome Parts
ES6: The Awesome PartsES6: The Awesome Parts
ES6: The Awesome Parts
 
OO JS for AS3 Devs
OO JS for AS3 DevsOO JS for AS3 Devs
OO JS for AS3 Devs
 
JSConf: All You Can Leet
JSConf: All You Can LeetJSConf: All You Can Leet
JSConf: All You Can Leet
 
"Javascript" por Tiago Rodrigues
"Javascript" por Tiago Rodrigues"Javascript" por Tiago Rodrigues
"Javascript" por Tiago Rodrigues
 
Say It With Javascript
Say It With JavascriptSay It With Javascript
Say It With Javascript
 
Java
JavaJava
Java
 
Intro to JavaScript
Intro to JavaScriptIntro to JavaScript
Intro to JavaScript
 
JavaScript Misunderstood
JavaScript MisunderstoodJavaScript Misunderstood
JavaScript Misunderstood
 
Art of Javascript
Art of JavascriptArt of Javascript
Art of Javascript
 
Understanding Asynchronous JavaScript
Understanding Asynchronous JavaScriptUnderstanding Asynchronous JavaScript
Understanding Asynchronous JavaScript
 
[2015/2016] JavaScript
[2015/2016] JavaScript[2015/2016] JavaScript
[2015/2016] JavaScript
 
Class
ClassClass
Class
 
Get started with YUI
Get started with YUIGet started with YUI
Get started with YUI
 
Scala in a nutshell by venkat
Scala in a nutshell by venkatScala in a nutshell by venkat
Scala in a nutshell by venkat
 
Oojs 1.1
Oojs 1.1Oojs 1.1
Oojs 1.1
 

More from Chris Whealy

SAP Kapsel Plugins For Cordova
SAP Kapsel Plugins For CordovaSAP Kapsel Plugins For Cordova
SAP Kapsel Plugins For CordovaChris Whealy
 
Introduction to SAP Gateway and OData
Introduction to SAP Gateway and ODataIntroduction to SAP Gateway and OData
Introduction to SAP Gateway and ODataChris Whealy
 
JavaScript for ABAP Programmers - 7/7 Functional Programming
JavaScript for ABAP Programmers - 7/7 Functional ProgrammingJavaScript for ABAP Programmers - 7/7 Functional Programming
JavaScript for ABAP Programmers - 7/7 Functional ProgrammingChris Whealy
 
JavaScript for ABAP Programmers - 6/7 Inheritance
JavaScript for ABAP Programmers - 6/7 InheritanceJavaScript for ABAP Programmers - 6/7 Inheritance
JavaScript for ABAP Programmers - 6/7 InheritanceChris Whealy
 
JavaScript for ABAP Programmers - 4/7 Scope
JavaScript for ABAP Programmers - 4/7 ScopeJavaScript for ABAP Programmers - 4/7 Scope
JavaScript for ABAP Programmers - 4/7 ScopeChris Whealy
 
JavaScript for ABAP Programmers - 3/7 Syntax
JavaScript for ABAP Programmers - 3/7 SyntaxJavaScript for ABAP Programmers - 3/7 Syntax
JavaScript for ABAP Programmers - 3/7 SyntaxChris Whealy
 
JavaScript for ABAP Programmers - 2/7 Data Types
JavaScript for ABAP Programmers - 2/7 Data TypesJavaScript for ABAP Programmers - 2/7 Data Types
JavaScript for ABAP Programmers - 2/7 Data TypesChris Whealy
 
JavaScript for ABAP Programmers - 1/7 Introduction
JavaScript for ABAP Programmers - 1/7 IntroductionJavaScript for ABAP Programmers - 1/7 Introduction
JavaScript for ABAP Programmers - 1/7 IntroductionChris Whealy
 

More from Chris Whealy (8)

SAP Kapsel Plugins For Cordova
SAP Kapsel Plugins For CordovaSAP Kapsel Plugins For Cordova
SAP Kapsel Plugins For Cordova
 
Introduction to SAP Gateway and OData
Introduction to SAP Gateway and ODataIntroduction to SAP Gateway and OData
Introduction to SAP Gateway and OData
 
JavaScript for ABAP Programmers - 7/7 Functional Programming
JavaScript for ABAP Programmers - 7/7 Functional ProgrammingJavaScript for ABAP Programmers - 7/7 Functional Programming
JavaScript for ABAP Programmers - 7/7 Functional Programming
 
JavaScript for ABAP Programmers - 6/7 Inheritance
JavaScript for ABAP Programmers - 6/7 InheritanceJavaScript for ABAP Programmers - 6/7 Inheritance
JavaScript for ABAP Programmers - 6/7 Inheritance
 
JavaScript for ABAP Programmers - 4/7 Scope
JavaScript for ABAP Programmers - 4/7 ScopeJavaScript for ABAP Programmers - 4/7 Scope
JavaScript for ABAP Programmers - 4/7 Scope
 
JavaScript for ABAP Programmers - 3/7 Syntax
JavaScript for ABAP Programmers - 3/7 SyntaxJavaScript for ABAP Programmers - 3/7 Syntax
JavaScript for ABAP Programmers - 3/7 Syntax
 
JavaScript for ABAP Programmers - 2/7 Data Types
JavaScript for ABAP Programmers - 2/7 Data TypesJavaScript for ABAP Programmers - 2/7 Data Types
JavaScript for ABAP Programmers - 2/7 Data Types
 
JavaScript for ABAP Programmers - 1/7 Introduction
JavaScript for ABAP Programmers - 1/7 IntroductionJavaScript for ABAP Programmers - 1/7 Introduction
JavaScript for ABAP Programmers - 1/7 Introduction
 

Recently uploaded

DevoxxFR 2024 Reproducible Builds with Apache Maven
DevoxxFR 2024 Reproducible Builds with Apache MavenDevoxxFR 2024 Reproducible Builds with Apache Maven
DevoxxFR 2024 Reproducible Builds with Apache MavenHervé Boutemy
 
Connect Wave/ connectwave Pitch Deck Presentation
Connect Wave/ connectwave Pitch Deck PresentationConnect Wave/ connectwave Pitch Deck Presentation
Connect Wave/ connectwave Pitch Deck PresentationSlibray Presentation
 
Ensuring Technical Readiness For Copilot in Microsoft 365
Ensuring Technical Readiness For Copilot in Microsoft 365Ensuring Technical Readiness For Copilot in Microsoft 365
Ensuring Technical Readiness For Copilot in Microsoft 3652toLead Limited
 
DevEX - reference for building teams, processes, and platforms
DevEX - reference for building teams, processes, and platformsDevEX - reference for building teams, processes, and platforms
DevEX - reference for building teams, processes, and platformsSergiu Bodiu
 
Search Engine Optimization SEO PDF for 2024.pdf
Search Engine Optimization SEO PDF for 2024.pdfSearch Engine Optimization SEO PDF for 2024.pdf
Search Engine Optimization SEO PDF for 2024.pdfRankYa
 
Streamlining Python Development: A Guide to a Modern Project Setup
Streamlining Python Development: A Guide to a Modern Project SetupStreamlining Python Development: A Guide to a Modern Project Setup
Streamlining Python Development: A Guide to a Modern Project SetupFlorian Wilhelm
 
The Ultimate Guide to Choosing WordPress Pros and Cons
The Ultimate Guide to Choosing WordPress Pros and ConsThe Ultimate Guide to Choosing WordPress Pros and Cons
The Ultimate Guide to Choosing WordPress Pros and ConsPixlogix Infotech
 
Advanced Test Driven-Development @ php[tek] 2024
Advanced Test Driven-Development @ php[tek] 2024Advanced Test Driven-Development @ php[tek] 2024
Advanced Test Driven-Development @ php[tek] 2024Scott Keck-Warren
 
"Debugging python applications inside k8s environment", Andrii Soldatenko
"Debugging python applications inside k8s environment", Andrii Soldatenko"Debugging python applications inside k8s environment", Andrii Soldatenko
"Debugging python applications inside k8s environment", Andrii SoldatenkoFwdays
 
Hyperautomation and AI/ML: A Strategy for Digital Transformation Success.pdf
Hyperautomation and AI/ML: A Strategy for Digital Transformation Success.pdfHyperautomation and AI/ML: A Strategy for Digital Transformation Success.pdf
Hyperautomation and AI/ML: A Strategy for Digital Transformation Success.pdfPrecisely
 
"LLMs for Python Engineers: Advanced Data Analysis and Semantic Kernel",Oleks...
"LLMs for Python Engineers: Advanced Data Analysis and Semantic Kernel",Oleks..."LLMs for Python Engineers: Advanced Data Analysis and Semantic Kernel",Oleks...
"LLMs for Python Engineers: Advanced Data Analysis and Semantic Kernel",Oleks...Fwdays
 
Human Factors of XR: Using Human Factors to Design XR Systems
Human Factors of XR: Using Human Factors to Design XR SystemsHuman Factors of XR: Using Human Factors to Design XR Systems
Human Factors of XR: Using Human Factors to Design XR SystemsMark Billinghurst
 
Commit 2024 - Secret Management made easy
Commit 2024 - Secret Management made easyCommit 2024 - Secret Management made easy
Commit 2024 - Secret Management made easyAlfredo García Lavilla
 
Take control of your SAP testing with UiPath Test Suite
Take control of your SAP testing with UiPath Test SuiteTake control of your SAP testing with UiPath Test Suite
Take control of your SAP testing with UiPath Test SuiteDianaGray10
 
TrustArc Webinar - How to Build Consumer Trust Through Data Privacy
TrustArc Webinar - How to Build Consumer Trust Through Data PrivacyTrustArc Webinar - How to Build Consumer Trust Through Data Privacy
TrustArc Webinar - How to Build Consumer Trust Through Data PrivacyTrustArc
 
Anypoint Exchange: It’s Not Just a Repo!
Anypoint Exchange: It’s Not Just a Repo!Anypoint Exchange: It’s Not Just a Repo!
Anypoint Exchange: It’s Not Just a Repo!Manik S Magar
 
WordPress Websites for Engineers: Elevate Your Brand
WordPress Websites for Engineers: Elevate Your BrandWordPress Websites for Engineers: Elevate Your Brand
WordPress Websites for Engineers: Elevate Your Brandgvaughan
 
SAP Build Work Zone - Overview L2-L3.pptx
SAP Build Work Zone - Overview L2-L3.pptxSAP Build Work Zone - Overview L2-L3.pptx
SAP Build Work Zone - Overview L2-L3.pptxNavinnSomaal
 
Dev Dives: Streamline document processing with UiPath Studio Web
Dev Dives: Streamline document processing with UiPath Studio WebDev Dives: Streamline document processing with UiPath Studio Web
Dev Dives: Streamline document processing with UiPath Studio WebUiPathCommunity
 

Recently uploaded (20)

DevoxxFR 2024 Reproducible Builds with Apache Maven
DevoxxFR 2024 Reproducible Builds with Apache MavenDevoxxFR 2024 Reproducible Builds with Apache Maven
DevoxxFR 2024 Reproducible Builds with Apache Maven
 
E-Vehicle_Hacking_by_Parul Sharma_null_owasp.pptx
E-Vehicle_Hacking_by_Parul Sharma_null_owasp.pptxE-Vehicle_Hacking_by_Parul Sharma_null_owasp.pptx
E-Vehicle_Hacking_by_Parul Sharma_null_owasp.pptx
 
Connect Wave/ connectwave Pitch Deck Presentation
Connect Wave/ connectwave Pitch Deck PresentationConnect Wave/ connectwave Pitch Deck Presentation
Connect Wave/ connectwave Pitch Deck Presentation
 
Ensuring Technical Readiness For Copilot in Microsoft 365
Ensuring Technical Readiness For Copilot in Microsoft 365Ensuring Technical Readiness For Copilot in Microsoft 365
Ensuring Technical Readiness For Copilot in Microsoft 365
 
DevEX - reference for building teams, processes, and platforms
DevEX - reference for building teams, processes, and platformsDevEX - reference for building teams, processes, and platforms
DevEX - reference for building teams, processes, and platforms
 
Search Engine Optimization SEO PDF for 2024.pdf
Search Engine Optimization SEO PDF for 2024.pdfSearch Engine Optimization SEO PDF for 2024.pdf
Search Engine Optimization SEO PDF for 2024.pdf
 
Streamlining Python Development: A Guide to a Modern Project Setup
Streamlining Python Development: A Guide to a Modern Project SetupStreamlining Python Development: A Guide to a Modern Project Setup
Streamlining Python Development: A Guide to a Modern Project Setup
 
The Ultimate Guide to Choosing WordPress Pros and Cons
The Ultimate Guide to Choosing WordPress Pros and ConsThe Ultimate Guide to Choosing WordPress Pros and Cons
The Ultimate Guide to Choosing WordPress Pros and Cons
 
Advanced Test Driven-Development @ php[tek] 2024
Advanced Test Driven-Development @ php[tek] 2024Advanced Test Driven-Development @ php[tek] 2024
Advanced Test Driven-Development @ php[tek] 2024
 
"Debugging python applications inside k8s environment", Andrii Soldatenko
"Debugging python applications inside k8s environment", Andrii Soldatenko"Debugging python applications inside k8s environment", Andrii Soldatenko
"Debugging python applications inside k8s environment", Andrii Soldatenko
 
Hyperautomation and AI/ML: A Strategy for Digital Transformation Success.pdf
Hyperautomation and AI/ML: A Strategy for Digital Transformation Success.pdfHyperautomation and AI/ML: A Strategy for Digital Transformation Success.pdf
Hyperautomation and AI/ML: A Strategy for Digital Transformation Success.pdf
 
"LLMs for Python Engineers: Advanced Data Analysis and Semantic Kernel",Oleks...
"LLMs for Python Engineers: Advanced Data Analysis and Semantic Kernel",Oleks..."LLMs for Python Engineers: Advanced Data Analysis and Semantic Kernel",Oleks...
"LLMs for Python Engineers: Advanced Data Analysis and Semantic Kernel",Oleks...
 
Human Factors of XR: Using Human Factors to Design XR Systems
Human Factors of XR: Using Human Factors to Design XR SystemsHuman Factors of XR: Using Human Factors to Design XR Systems
Human Factors of XR: Using Human Factors to Design XR Systems
 
Commit 2024 - Secret Management made easy
Commit 2024 - Secret Management made easyCommit 2024 - Secret Management made easy
Commit 2024 - Secret Management made easy
 
Take control of your SAP testing with UiPath Test Suite
Take control of your SAP testing with UiPath Test SuiteTake control of your SAP testing with UiPath Test Suite
Take control of your SAP testing with UiPath Test Suite
 
TrustArc Webinar - How to Build Consumer Trust Through Data Privacy
TrustArc Webinar - How to Build Consumer Trust Through Data PrivacyTrustArc Webinar - How to Build Consumer Trust Through Data Privacy
TrustArc Webinar - How to Build Consumer Trust Through Data Privacy
 
Anypoint Exchange: It’s Not Just a Repo!
Anypoint Exchange: It’s Not Just a Repo!Anypoint Exchange: It’s Not Just a Repo!
Anypoint Exchange: It’s Not Just a Repo!
 
WordPress Websites for Engineers: Elevate Your Brand
WordPress Websites for Engineers: Elevate Your BrandWordPress Websites for Engineers: Elevate Your Brand
WordPress Websites for Engineers: Elevate Your Brand
 
SAP Build Work Zone - Overview L2-L3.pptx
SAP Build Work Zone - Overview L2-L3.pptxSAP Build Work Zone - Overview L2-L3.pptx
SAP Build Work Zone - Overview L2-L3.pptx
 
Dev Dives: Streamline document processing with UiPath Studio Web
Dev Dives: Streamline document processing with UiPath Studio WebDev Dives: Streamline document processing with UiPath Studio Web
Dev Dives: Streamline document processing with UiPath Studio Web
 

JavaScript for ABAP Programmers - 5/7 Functions

  • 1. JavaScript for ABAP Programmers Functions as 1st Class Citizens Chris Whealy / The RIG
  • 2. ABAP Strongly typed Syntax similar to COBOL Block Scope No equivalent concept OO using class based inheritance Imperative programming JavaScript Weakly typed Syntax derived from Java Lexical Scope Functions are 1st class citizens OO using referential inheritance Imperative or Functional programming
  • 3. 1st Class Functions Any programming language in which functions are treated as “1st class citizens” is said to implement “1st class functions”. So, what does that mean – functions have voting rights? © 2013 SAP AG. All rights reserved. 3
  • 4. 1st Class Functions Any programming language in which functions are treated as “1st class citizens” is said to implement “1st class functions”. So, what does that mean – functions have voting rights? No, a 1st class citizen is any object that can be:  Created or destroyed dynamically © 2013 SAP AG. All rights reserved. 4
  • 5. 1st Class Functions Any programming language in which functions are treated as “1st class citizens” is said to implement “1st class functions”. So, what does that mean – functions have voting rights? No, a 1st class citizen is any object that can be:  Created or destroyed dynamically  Treated as data, meaning that it can be both:  Passed as an argument to a function and  Returned as the result of running a function © 2013 SAP AG. All rights reserved. 5
  • 6. 1st Class Functions Any programming language in which functions are treated as “1st class citizens” is said to implement “1st class functions”. So, what does that mean – functions have voting rights? No, a 1st class citizen is any object that can be:  Created or destroyed dynamically  Treated as data, meaning that it can be both:  Passed as an argument to a function and  Returned as the result of running a function In JavaScript, all the above statements are applicable to functions because a function is simply an object “with an executable part”. This means a JavaScript function can be treated either as:  An object like any other data object, or as  A executable unit of code © 2013 SAP AG. All rights reserved. 6
  • 7. 1st Class Functions: Dynamic Creation A JavaScript function can be created dynamically based on the data available at runtime. // List of animals and the noises they make var animalNoises = ["dog","woof","cat","meow","pig","oink","cow","moo"]; // A function that returns a text string describing an animal noise function noiseMaker(name) { var n = animalNoises.indexOf(name); var noise = (n == -1) ? "a sound I don't know" : animalNoises[n + 1]; return "A " + name + " says " + noise; } © 2013 SAP AG. All rights reserved. 7
  • 8. 1st Class Functions: Dynamic Creation A JavaScript function can be created dynamically based on the data available at runtime. // List of animals and the noises they make var animalNoises = ["dog","woof","cat","meow","pig","oink","cow","moo"]; // A function that returns a text string describing an animal noise function noiseMaker(name) { var n = animalNoises.indexOf(name); var noise = (n == -1) ? "a sound I don't know" : animalNoises[n + 1]; return "A " + name + " says " + noise; } // Dynamically create some function objects specific to certain animals var pigSays = new Function("alert("" + noiseMaker("pig") + "");"); var sheepSays = new Function("alert("" + noiseMaker("sheep") + "");"); © 2013 SAP AG. All rights reserved. 8
  • 9. 1st Class Functions: Dynamic Creation A JavaScript function can be created dynamically based on the data available at runtime. // List of animals and the noises they make var animalNoises = ["dog","woof","cat","meow","pig","oink","cow","moo"]; // A function that returns a text string describing an animal noise function noiseMaker(name) { var n = animalNoises.indexOf(name); var noise = (n == -1) ? "a sound I don't know" : animalNoises[n + 1]; return "A " + name + " says " + noise; } // Dynamically create some function objects specific to certain animals var pigSays = new Function("alert("" + noiseMaker("pig") + "");"); var sheepSays = new Function("alert("" + noiseMaker("sheep") + "");"); // Call these dynamically created function objects using the invocation operator pigSays(); © 2013 SAP AG. All rights reserved. 9
  • 10. 1st Class Functions: Dynamic Creation A JavaScript function can be created dynamically based on the data available at runtime. // List of animals and the noises they make var animalNoises = ["dog","woof","cat","meow","pig","oink","cow","moo"]; // A function that returns a text string describing an animal noise function noiseMaker(name) { var n = animalNoises.indexOf(name); var noise = (n == -1) ? "a sound I don't know" : animalNoises[n + 1]; return "A " + name + " says " + noise; } // Dynamically create some function objects specific to certain animals var pigSays = new Function("alert("" + noiseMaker("pig") + "");"); var sheepSays = new Function("alert("" + noiseMaker("sheep") + "");"); // Call these dynamically created function objects using the invocation operator pigSays(); sheepSays(); © 2013 SAP AG. All rights reserved. 10
  • 11. 1st Class Functions: Dynamic Destruction Setting a function object to null destroys that object. // Destroy the dynamically created function objects pigSays = null; sheepSays = null; Notice here that reference is made to the function object itself, not the result of invoking that function. In other words, the invocation operator () must not be used. © 2013 SAP AG. All rights reserved. 11
  • 12. 1st Class Functions: Functions as Arguments Since JavaScript treats a function is an object, the functions created in the previous example can be passed as parameters in the same way you would pass an object containing only data. // A function that will execute any number of functions it is passed function noisyFarmyard() { // Did we receive any parameters? if (arguments.length > 0) { // Loop around those parameters checking to see if any of them are of type ‘function’ for (var i=0; i<arguments.length; i++) { if (typeof arguments[i] === 'function') { arguments[i](); } } } } noisyFarmyard(pigSays, sheepSays); © 2013 SAP AG. All rights reserved. Function objects can be passed as arguments just like any other object 12
  • 13. 1st Class Functions: Functions as Arguments Since JavaScript treats a function is an object, the functions created in the previous example can be passed as parameters in the same way you would pass an object containing only data. // A function that will execute any number of functions it is passed function noisyFarmyard() { // Did we receive any parameters? if (arguments.length > 0) { // Loop around those parameters checking to see if any of them are of type ‘function’ for (var i=0; i<arguments.length; i++) { if (typeof arguments[i] === 'function') { arguments[i](); } Because we test the data type of each } argument, we can determine whether the value } we’ve been passed is executable or not } noisyFarmyard(pigSays, sheepSays); © 2013 SAP AG. All rights reserved. 13
  • 14. 1st Class Functions: Functions as Return Values 1/2 Having a function that returns a function is powerful tool for abstraction. Instead of a function returning the required value, it returns a function that must be executed to obtain the required value. // A function that works out how many animal functions have been created function animalList() { var listOfAnimals = []; // Check whether a function has been created for each animal for (var i=0; i<animalNoises.length; i=i+2) { var fName = animalNoises[i]+"Says"; if (typeof window[fName] === 'function') { listOfAnimals.push(fName); } } return function() { return listOfAnimals; } Using the array syntax for accessing an object property, we can check whether the required function not only exists within the Global Object, but is also of type 'function' } © 2013 SAP AG. All rights reserved. 14
  • 15. 1st Class Functions: Functions as Return Values 1/2 Having a function that returns a function is powerful tool for abstraction. Instead of a function returning the required value, it returns a function that must be executed to obtain the required value. // A function that works out how many animal functions have been created function animalList() { var listOfAnimals = []; // Check whether a function has been created for each animal for (var i=0; i<animalNoises.length; i=i+2) { var fName = animalNoises[i]+"Says"; if (typeof window[fName] === 'function') { listOfAnimals.push(fName); } } return function() { return listOfAnimals; } Here, we return a function which when invoked, will return the array called listOfAnimals } © 2013 SAP AG. All rights reserved. 15
  • 16. 1st Class Functions: Functions as Return Values 2/2 Once this function is called, it doesn't return the data we require; instead, it returns a function that when called, will return the required data. // A function that works out how many animal functions have been created function animalList() { ... snip ... } // The call to function animalList() returns a function object. So 'animalListFunction' is // not the data we want, but a function that when executed, will generate the data we want. var animalListFunction = animalList(); © 2013 SAP AG. All rights reserved. 16
  • 17. 1st Class Functions: Functions as Return Values 2/2 Once this function is called, it doesn't return the data we require; instead, it returns a function that when called, will return the required data. // A function that works out how many animal functions have been created function animalList() { ... snip ... } // The call to function animalList() returns a function object. So 'animalListFunction' is // not the data we want, but a function that when executed, will generate the data we want. var animalListFunction = animalList(); // 'animalListFunction' must now be executed using the invocation operator. animalListFunction(); //  ["pigSays","sheepSays"] © 2013 SAP AG. All rights reserved. 17