SlideShare a Scribd company logo
1 of 29
Object Oriented 
Javascript
A pragmatic introduction
March 2015
Ibán Martínez
iban@nnset.com
www.openshopen.com
We will take a look to :
­ Object­oriented programming basic 
concepts. 
­ Javascript Object creation.
https://developer.mozilla.org/en­US/docs/Web/JavaScript/Introduction_to_Object­Oriented_JavaScript
Object oriented essentials
(no javascript specific)
Object­oriented programming is a 
programming paradigm that uses 
abstraction to create models based on 
the real world. It uses several 
techniques from previously 
established paradigms, including 
modularity, polymorphism, and 
encapsulation.
https://developer.mozilla.org/en­US/docs/Web/JavaScript/Introduction_to_Object­Oriented_JavaScript
Object oriented essentials
(no javascript specific)
ClassClass : Defines the characteristics of the object. It is a 
template definition of properties and methods of an object.
ObjectObject : An Instance of a class.
PropertyProperty : An object characteristic, such as color.
MethodMethod : An object capability, such as walk. It is a 
subroutine or function associated with a class.
Object oriented essentials
(no javascript specific)
ClassClass
class ShoppingCart {
   [...]
}
ObjectObject
$myCart = new ShoppingCart();
PropertyProperty
class ShoppingCart {
   public $ownerName = 'Mike';
}
MethodMethod
classclass ShoppingCart { ShoppingCart {
   public $ownerName = 'Mike';
   public function addProduct(Product $product){
     $this­>appendProductToShoppingList($product); 
     $this­>updateTotalPrice();
   }
}
Object oriented essentials
(javascript specifics)
Prototype­based programming is a style of 
object­oriented programming that doesn't make 
use of classes. Instead, behavior reuse (known 
as inheritance in class­based languages) is 
accomplished through a process of decorating 
(or expanding upon) existing objects which 
serve as prototypes. This model is also known 
as classless, prototype­oriented, or instance­
based programming.
Object oriented essentials
(javascript specifics)
Prototype­based programming is a style of 
object­oriented programming that doesn't make 
use of classes. Instead, behavior reuse (known 
as inheritance in class­based languages) is 
accomplished through a process of decorating 
(or expanding upon) existing objects which 
serve as prototypes. This model is also known 
as classless, prototype­oriented, or instance­
based programming.
JavaScript is a prototype­based 
language which contains no class 
statement.
Object oriented essentials
(javascript specifics)
What is an 'object' for Javascript?
typeof({});
 => 'object'
typeof([]);
 => 'object'
typeof(null);
 => 'object'
typeof(new String());
 => 'object'
typeof(new Number());
 => 'object'
typeof(new Boolean());
 => 'object'
typeof(new Object());
 => 'object'
In JavaScript, almost 
everything is an object.
Object creation
in Javascript
Objects creation
new & Object.create()
Two common ways to create objects are using “new”“new” or 
“Object.create()”“Object.create()” directives.
https://developer.mozilla.org/en­US/docs/Web/JavaScript/Guide/Working_with_Objects
https://developer.mozilla.org/en­US/docs/Web/JavaScript/Reference/Global_Objects/Object/create
Objects creation
new & Object.create()
new
var myCar = new Car();
Requires a constructor 
method to be defined :
function Car(){
 this.plate = 'My Plate';
}
Object.create()
var myCar = Object.create(Car);
Requires a prototype to be 
defined :
var Car = {
  plate: 'My Plate'
}
Two common ways to create objects are using “new” or 
“Object.create()” directives.
Define your object propertiesproperties in a constructor method 
named as the “Class” you want to create. You may add some 
default values.
function Car(){
  this.plate = '4787 BCN';
  this.manufacturer = 'Tesla';
  this.topSpeed = 80;
}
You can pass arguments to the constructor aswell.
function Car(plate, manufacturer, topSpeed){
  this.plate = plate||'4787 BCN';
  this.manufacturer = manufacturer||'Tesla';
  this.topSpeed = parseInt(topSpeed)||80;
}
new
function Car(plate, manufacturer, topSpeed){
  this.plate = plate||'4787 BCN';
  this.manufacturer = manufacturer||'Tesla';
  this.topSpeed = parseInt(topSpeed)||80;
}
var myFirstCar  = new Car();
var mySecondCar = new Car('123 SF','Ford',120);
myFirstCar.plate;
  => '4787 BCN'
mySecondCar.plate;
  => '123 SF'
new
Now define your object's methods.
function Car(plate, manufacturer, topSpeed){
  this.plate = plate||'4787 BCN';
  this.manufacturer = manufacturer||'Tesla';
  this.topSpeed = parseInt(topSpeed)||80;
  this.currentSpeed = 0;
  this.setCurrentSpeed = function(newSpeed){
   this.currentSpeed = parseInt(newSpeed);
  }
  this.accelerate = function(newSpeed){
     if(parseInt(newSpeed) <= this.topSpeed){
        this.setCurrentSpeed(newSpeed);
     }
     else{
   throw 'Your car will break.';
     }
   }
}
  
new
var myFirstCar = new Car();
myFirstCar.accelerate(15);
myFirstCar.currentSpeed;
 => 15
myFirstCar.accelerate(95);
 => Your car will break.
myFirstCar.currentSpeed;
 => 15
  
new
Let's do the same example but using 
object prototypes instead of 
constructor methods.  
Object.create()
Object prototypesprototypes are defined as a Hash :
var Car = {
  plate: '4787 BCN',
  manufacturer : 'Tesla',
  topSpeed : 80,
  currentSpeed : 0,
  setCurrentSpeed : function(newSpeed){
   this.currentSpeed = parseInt(newSpeed);
  },
  accelerate : function(newSpeed){
   if(parseInt(newSpeed) <= this.topSpeed){
      this.setCurrentSpeed(newSpeed);
   }
   else{
   throw 'Your car will break.';
   }
  }
}  
Object.create()
var myFirstCar = Object.create(Car);
myFirstCar.accelerate(15);
myFirstCar.currentSpeed;
 => 15
myFirstCar.accelerate(95);
 => Your car will break.
myFirstCar.currentSpeed;
 => 15
  
Object.create()
What if I want to modify Object 
prototype's default values at 
creation time?  
Object.create()
It requires some extra code lines 
than using a constructor method, but 
it has some cool features. 
Object.create()
var newValues = {
  plate: { 
            value: 'my Car Plate' 
          },
  manufacturer: { 
            value: 'Ford' 
        },
  topSpeed: { 
            value: 120
        },
  currentSpeed: { 
            value: 5
        }
};
var myNewCar = Object.create(Car, newValues);
myNewCar.plate;
 => 'my Car Plate'
'4787 BCN'
Car's prototype default values:
'Tesla'
80
0
Object.create()
Additional features.
Immutable properties.
This features is available because Object.create() uses 
Object.defineProperties() check :
https://developer.mozilla.org/en­US/docs/Web/JavaScript/Reference/Global_Objects/Object/defineProperties
Object.create()
var myNewCar = Object.create(Car, {
  plate: { 
            writable: false, 
            value: 'my Car Plate' 
          },
[...]
});
WriteableWriteable : true if and only if the valuevalue associated with the 
property may be changed with an assignment operator.
Defaults to false.
Object.create()
var myNewCar = Object.create(Car, {
  plate: { 
            writable: false, 
            value: 'my Car Plate' 
          },
[...]
});
myNewCar.plate = 'Hello';
myNewCar.plate;
  => 'my Car Plate'
Object.create()
Additional features.
Accessors
(getters and setters)
This features is available because Object.create() uses 
Object.defineProperties() check :
https://developer.mozilla.org/en­US/docs/Web/JavaScript/Reference/Global_Objects/Object/defineProperties
Object.create()
var myNewCar = Object.create(Car, {
  plate: { 
           writable: true, 
           value: 'my Car Plate',
           get: function(){ return this._plate.toUpperCase(); },
           set: function(value){ this._plate = value; }  
         },
[...]
});
Object.create()
var myNewCar = Object.create(Car, {
  plate: { 
           writable: true, 
           value: 'my Car Plate',
           get: function(){ return this._plate.toUpperCase(); },
           set: function(value){ this._plate = value; }  
         },
[...]
});
  => TypeError: Invalid property.  A property cannot both have 
accessors and be writable or have a value, #<Object>
Accessors and properties have to be 
defined separately.
Object.create()
var myNewCar = Object.create(Car, {
  _plate: { 
            writable: true, 
            value: 'my Car Plate' 
          },
  plate: { 
           get: function(){ return this._plate.toUpperCase(); },
           set: function(value){ this._plate = value; }  
         },
[...]
});
myNewCar.plate;
  => 'MY CAR PLATE'
Object.create()
Object Oriented 
Javascript
A pragmatic introduction
March 2015
Ibán Martínez
iban@nnset.com
www.openshopen.com

More Related Content

Viewers also liked

Jarvis Pain Assessment
Jarvis Pain AssessmentJarvis Pain Assessment
Jarvis Pain AssessmentJoanVNAF
 
Coach's guide to effective simulation facilitation preview
Coach's guide to effective simulation facilitation previewCoach's guide to effective simulation facilitation preview
Coach's guide to effective simulation facilitation previewSuekennnedy
 
Backupify CloudInno Presentation by Rob May
Backupify CloudInno Presentation by Rob MayBackupify CloudInno Presentation by Rob May
Backupify CloudInno Presentation by Rob MayDatto
 
C re ate-cirma-def-060611
C re ate-cirma-def-060611C re ate-cirma-def-060611
C re ate-cirma-def-060611CSP Scarl
 
D:\Ring O 2nd Grade
D:\Ring O 2nd GradeD:\Ring O 2nd Grade
D:\Ring O 2nd Gradeguest5ac3f31
 
I4 school qrpark_promoey_piazza
I4 school qrpark_promoey_piazzaI4 school qrpark_promoey_piazza
I4 school qrpark_promoey_piazzaCSP Scarl
 
Vượt lên nỗi đau
Vượt lên nỗi đauVượt lên nỗi đau
Vượt lên nỗi đaubita89
 
Forum PA challenge: HALADIN's
Forum PA challenge: HALADIN'sForum PA challenge: HALADIN's
Forum PA challenge: HALADIN'sCSP Scarl
 
Agenda digitale piemonte
Agenda digitale piemonteAgenda digitale piemonte
Agenda digitale piemonteCSP Scarl
 
alternatives to hysterectomy
alternatives to hysterectomyalternatives to hysterectomy
alternatives to hysterectomyKarl Daniel, M.D.
 
How to design for the web
How to design for the webHow to design for the web
How to design for the webCyber-Duck
 
Requisitos oo-para-projetos-oo-transicao-facil
Requisitos oo-para-projetos-oo-transicao-facilRequisitos oo-para-projetos-oo-transicao-facil
Requisitos oo-para-projetos-oo-transicao-facilSandra Rocha
 
Expeditie mont blanc
Expeditie mont blancExpeditie mont blanc
Expeditie mont blancElisabeth
 
Handout 3 er año libertador 3er lapso
Handout 3 er año libertador 3er lapsoHandout 3 er año libertador 3er lapso
Handout 3 er año libertador 3er lapsoU.E.N. Libertador
 

Viewers also liked (19)

Selection
SelectionSelection
Selection
 
Dom 20160427 extra
Dom 20160427 extraDom 20160427 extra
Dom 20160427 extra
 
Jarvis Pain Assessment
Jarvis Pain AssessmentJarvis Pain Assessment
Jarvis Pain Assessment
 
Prototype
PrototypePrototype
Prototype
 
Coach's guide to effective simulation facilitation preview
Coach's guide to effective simulation facilitation previewCoach's guide to effective simulation facilitation preview
Coach's guide to effective simulation facilitation preview
 
Backupify CloudInno Presentation by Rob May
Backupify CloudInno Presentation by Rob MayBackupify CloudInno Presentation by Rob May
Backupify CloudInno Presentation by Rob May
 
C re ate-cirma-def-060611
C re ate-cirma-def-060611C re ate-cirma-def-060611
C re ate-cirma-def-060611
 
D:\Ring O 2nd Grade
D:\Ring O 2nd GradeD:\Ring O 2nd Grade
D:\Ring O 2nd Grade
 
I4 school qrpark_promoey_piazza
I4 school qrpark_promoey_piazzaI4 school qrpark_promoey_piazza
I4 school qrpark_promoey_piazza
 
Vượt lên nỗi đau
Vượt lên nỗi đauVượt lên nỗi đau
Vượt lên nỗi đau
 
Forum PA challenge: HALADIN's
Forum PA challenge: HALADIN'sForum PA challenge: HALADIN's
Forum PA challenge: HALADIN's
 
Agenda digitale piemonte
Agenda digitale piemonteAgenda digitale piemonte
Agenda digitale piemonte
 
alternatives to hysterectomy
alternatives to hysterectomyalternatives to hysterectomy
alternatives to hysterectomy
 
How to design for the web
How to design for the webHow to design for the web
How to design for the web
 
Buduj Wartość i Reinwestuj
Buduj Wartość i ReinwestujBuduj Wartość i Reinwestuj
Buduj Wartość i Reinwestuj
 
Requisitos oo-para-projetos-oo-transicao-facil
Requisitos oo-para-projetos-oo-transicao-facilRequisitos oo-para-projetos-oo-transicao-facil
Requisitos oo-para-projetos-oo-transicao-facil
 
Expeditie mont blanc
Expeditie mont blancExpeditie mont blanc
Expeditie mont blanc
 
Handout 3 er año libertador 3er lapso
Handout 3 er año libertador 3er lapsoHandout 3 er año libertador 3er lapso
Handout 3 er año libertador 3er lapso
 
Rajeev_CV
Rajeev_CVRajeev_CV
Rajeev_CV
 

Similar to Object-Oriented Javascript

Object oriented programming
Object oriented programmingObject oriented programming
Object oriented programmingmsneha
 
Object oriented javascript
Object oriented javascriptObject oriented javascript
Object oriented javascriptUsman Mehmood
 
Javascriptinobject orientedway-090512225827-phpapp02
Javascriptinobject orientedway-090512225827-phpapp02Javascriptinobject orientedway-090512225827-phpapp02
Javascriptinobject orientedway-090512225827-phpapp02Sopheak Sem
 
JavaScript OOPS Implimentation
JavaScript OOPS ImplimentationJavaScript OOPS Implimentation
JavaScript OOPS ImplimentationUsman Mehmood
 
Python Object Oriented Programming
Python Object Oriented ProgrammingPython Object Oriented Programming
Python Object Oriented ProgrammingBurasakorn Sabyeying
 
JavaScript Programming
JavaScript ProgrammingJavaScript Programming
JavaScript ProgrammingSehwan Noh
 
Understanding-Objects-in-Javascript.pptx
Understanding-Objects-in-Javascript.pptxUnderstanding-Objects-in-Javascript.pptx
Understanding-Objects-in-Javascript.pptxMariaTrinidadTumanga
 
Object oriented approach in python programming
Object oriented approach in python programmingObject oriented approach in python programming
Object oriented approach in python programmingSrinivas Narasegouda
 
JavaScript - Chapter 8 - Objects
 JavaScript - Chapter 8 - Objects JavaScript - Chapter 8 - Objects
JavaScript - Chapter 8 - ObjectsWebStackAcademy
 
Chapter 1- Introduction.ppt
Chapter 1- Introduction.pptChapter 1- Introduction.ppt
Chapter 1- Introduction.pptTigistTilahun1
 
Prototype Object.pptx
Prototype Object.pptxPrototype Object.pptx
Prototype Object.pptxSteins18
 
JavaScript Interview Questions with Answers
JavaScript Interview Questions with AnswersJavaScript Interview Questions with Answers
JavaScript Interview Questions with AnswersAK Deep Knowledge
 
Java interview questions and answers
Java interview questions and answersJava interview questions and answers
Java interview questions and answersKrishnaov
 
COMP111-Week-1_138439.pptx
COMP111-Week-1_138439.pptxCOMP111-Week-1_138439.pptx
COMP111-Week-1_138439.pptxFarooqTariq8
 
FAL(2022-23)_CSE0206_ETH_AP2022232000455_Reference_Material_I_16-Aug-2022_Mod...
FAL(2022-23)_CSE0206_ETH_AP2022232000455_Reference_Material_I_16-Aug-2022_Mod...FAL(2022-23)_CSE0206_ETH_AP2022232000455_Reference_Material_I_16-Aug-2022_Mod...
FAL(2022-23)_CSE0206_ETH_AP2022232000455_Reference_Material_I_16-Aug-2022_Mod...AnkurSingh340457
 
Unit No 2 Objects and Classes.pptx
Unit No 2 Objects and Classes.pptxUnit No 2 Objects and Classes.pptx
Unit No 2 Objects and Classes.pptxDrYogeshDeshmukh1
 
PHP OOP Lecture - 01.pptx
PHP OOP Lecture - 01.pptxPHP OOP Lecture - 01.pptx
PHP OOP Lecture - 01.pptxAtikur Rahman
 

Similar to Object-Oriented Javascript (20)

Object oriented programming
Object oriented programmingObject oriented programming
Object oriented programming
 
Object oriented javascript
Object oriented javascriptObject oriented javascript
Object oriented javascript
 
Javascriptinobject orientedway-090512225827-phpapp02
Javascriptinobject orientedway-090512225827-phpapp02Javascriptinobject orientedway-090512225827-phpapp02
Javascriptinobject orientedway-090512225827-phpapp02
 
JavaScript OOPS Implimentation
JavaScript OOPS ImplimentationJavaScript OOPS Implimentation
JavaScript OOPS Implimentation
 
Python Object Oriented Programming
Python Object Oriented ProgrammingPython Object Oriented Programming
Python Object Oriented Programming
 
JavaScript Programming
JavaScript ProgrammingJavaScript Programming
JavaScript Programming
 
Understanding-Objects-in-Javascript.pptx
Understanding-Objects-in-Javascript.pptxUnderstanding-Objects-in-Javascript.pptx
Understanding-Objects-in-Javascript.pptx
 
Object oriented approach in python programming
Object oriented approach in python programmingObject oriented approach in python programming
Object oriented approach in python programming
 
JavaScript - Chapter 8 - Objects
 JavaScript - Chapter 8 - Objects JavaScript - Chapter 8 - Objects
JavaScript - Chapter 8 - Objects
 
Chapter 1- Introduction.ppt
Chapter 1- Introduction.pptChapter 1- Introduction.ppt
Chapter 1- Introduction.ppt
 
Prototype Object.pptx
Prototype Object.pptxPrototype Object.pptx
Prototype Object.pptx
 
Java Programming.pdf
Java Programming.pdfJava Programming.pdf
Java Programming.pdf
 
JavaScript Interview Questions with Answers
JavaScript Interview Questions with AnswersJavaScript Interview Questions with Answers
JavaScript Interview Questions with Answers
 
Js ppt
Js pptJs ppt
Js ppt
 
Design patterns
Design patternsDesign patterns
Design patterns
 
Java interview questions and answers
Java interview questions and answersJava interview questions and answers
Java interview questions and answers
 
COMP111-Week-1_138439.pptx
COMP111-Week-1_138439.pptxCOMP111-Week-1_138439.pptx
COMP111-Week-1_138439.pptx
 
FAL(2022-23)_CSE0206_ETH_AP2022232000455_Reference_Material_I_16-Aug-2022_Mod...
FAL(2022-23)_CSE0206_ETH_AP2022232000455_Reference_Material_I_16-Aug-2022_Mod...FAL(2022-23)_CSE0206_ETH_AP2022232000455_Reference_Material_I_16-Aug-2022_Mod...
FAL(2022-23)_CSE0206_ETH_AP2022232000455_Reference_Material_I_16-Aug-2022_Mod...
 
Unit No 2 Objects and Classes.pptx
Unit No 2 Objects and Classes.pptxUnit No 2 Objects and Classes.pptx
Unit No 2 Objects and Classes.pptx
 
PHP OOP Lecture - 01.pptx
PHP OOP Lecture - 01.pptxPHP OOP Lecture - 01.pptx
PHP OOP Lecture - 01.pptx
 

Recently uploaded

Exploring Selenium_Appium Frameworks for Seamless Integration with HeadSpin.pdf
Exploring Selenium_Appium Frameworks for Seamless Integration with HeadSpin.pdfExploring Selenium_Appium Frameworks for Seamless Integration with HeadSpin.pdf
Exploring Selenium_Appium Frameworks for Seamless Integration with HeadSpin.pdfkalichargn70th171
 
Powering Real-Time Decisions with Continuous Data Streams
Powering Real-Time Decisions with Continuous Data StreamsPowering Real-Time Decisions with Continuous Data Streams
Powering Real-Time Decisions with Continuous Data StreamsSafe Software
 
Alfresco TTL#157 - Troubleshooting Made Easy: Deciphering Alfresco mTLS Confi...
Alfresco TTL#157 - Troubleshooting Made Easy: Deciphering Alfresco mTLS Confi...Alfresco TTL#157 - Troubleshooting Made Easy: Deciphering Alfresco mTLS Confi...
Alfresco TTL#157 - Troubleshooting Made Easy: Deciphering Alfresco mTLS Confi...Angel Borroy López
 
Unveiling Design Patterns: A Visual Guide with UML Diagrams
Unveiling Design Patterns: A Visual Guide with UML DiagramsUnveiling Design Patterns: A Visual Guide with UML Diagrams
Unveiling Design Patterns: A Visual Guide with UML DiagramsAhmed Mohamed
 
VK Business Profile - provides IT solutions and Web Development
VK Business Profile - provides IT solutions and Web DevelopmentVK Business Profile - provides IT solutions and Web Development
VK Business Profile - provides IT solutions and Web Developmentvyaparkranti
 
Open Source Summit NA 2024: Open Source Cloud Costs - OpenCost's Impact on En...
Open Source Summit NA 2024: Open Source Cloud Costs - OpenCost's Impact on En...Open Source Summit NA 2024: Open Source Cloud Costs - OpenCost's Impact on En...
Open Source Summit NA 2024: Open Source Cloud Costs - OpenCost's Impact on En...Matt Ray
 
Maximizing Efficiency and Profitability with OnePlan’s Professional Service A...
Maximizing Efficiency and Profitability with OnePlan’s Professional Service A...Maximizing Efficiency and Profitability with OnePlan’s Professional Service A...
Maximizing Efficiency and Profitability with OnePlan’s Professional Service A...OnePlan Solutions
 
Comparing Linux OS Image Update Models - EOSS 2024.pdf
Comparing Linux OS Image Update Models - EOSS 2024.pdfComparing Linux OS Image Update Models - EOSS 2024.pdf
Comparing Linux OS Image Update Models - EOSS 2024.pdfDrew Moseley
 
KnowAPIs-UnknownPerf-jaxMainz-2024 (1).pptx
KnowAPIs-UnknownPerf-jaxMainz-2024 (1).pptxKnowAPIs-UnknownPerf-jaxMainz-2024 (1).pptx
KnowAPIs-UnknownPerf-jaxMainz-2024 (1).pptxTier1 app
 
Precise and Complete Requirements? An Elusive Goal
Precise and Complete Requirements? An Elusive GoalPrecise and Complete Requirements? An Elusive Goal
Precise and Complete Requirements? An Elusive GoalLionel Briand
 
Tech Tuesday - Mastering Time Management Unlock the Power of OnePlan's Timesh...
Tech Tuesday - Mastering Time Management Unlock the Power of OnePlan's Timesh...Tech Tuesday - Mastering Time Management Unlock the Power of OnePlan's Timesh...
Tech Tuesday - Mastering Time Management Unlock the Power of OnePlan's Timesh...OnePlan Solutions
 
PREDICTING RIVER WATER QUALITY ppt presentation
PREDICTING  RIVER  WATER QUALITY  ppt presentationPREDICTING  RIVER  WATER QUALITY  ppt presentation
PREDICTING RIVER WATER QUALITY ppt presentationvaddepallysandeep122
 
MYjobs Presentation Django-based project
MYjobs Presentation Django-based projectMYjobs Presentation Django-based project
MYjobs Presentation Django-based projectAnoyGreter
 
SpotFlow: Tracking Method Calls and States at Runtime
SpotFlow: Tracking Method Calls and States at RuntimeSpotFlow: Tracking Method Calls and States at Runtime
SpotFlow: Tracking Method Calls and States at Runtimeandrehoraa
 
What is Advanced Excel and what are some best practices for designing and cre...
What is Advanced Excel and what are some best practices for designing and cre...What is Advanced Excel and what are some best practices for designing and cre...
What is Advanced Excel and what are some best practices for designing and cre...Technogeeks
 
Ahmed Motair CV April 2024 (Senior SW Developer)
Ahmed Motair CV April 2024 (Senior SW Developer)Ahmed Motair CV April 2024 (Senior SW Developer)
Ahmed Motair CV April 2024 (Senior SW Developer)Ahmed Mater
 
Folding Cheat Sheet #4 - fourth in a series
Folding Cheat Sheet #4 - fourth in a seriesFolding Cheat Sheet #4 - fourth in a series
Folding Cheat Sheet #4 - fourth in a seriesPhilip Schwarz
 
How to submit a standout Adobe Champion Application
How to submit a standout Adobe Champion ApplicationHow to submit a standout Adobe Champion Application
How to submit a standout Adobe Champion ApplicationBradBedford3
 

Recently uploaded (20)

Exploring Selenium_Appium Frameworks for Seamless Integration with HeadSpin.pdf
Exploring Selenium_Appium Frameworks for Seamless Integration with HeadSpin.pdfExploring Selenium_Appium Frameworks for Seamless Integration with HeadSpin.pdf
Exploring Selenium_Appium Frameworks for Seamless Integration with HeadSpin.pdf
 
Powering Real-Time Decisions with Continuous Data Streams
Powering Real-Time Decisions with Continuous Data StreamsPowering Real-Time Decisions with Continuous Data Streams
Powering Real-Time Decisions with Continuous Data Streams
 
Alfresco TTL#157 - Troubleshooting Made Easy: Deciphering Alfresco mTLS Confi...
Alfresco TTL#157 - Troubleshooting Made Easy: Deciphering Alfresco mTLS Confi...Alfresco TTL#157 - Troubleshooting Made Easy: Deciphering Alfresco mTLS Confi...
Alfresco TTL#157 - Troubleshooting Made Easy: Deciphering Alfresco mTLS Confi...
 
Odoo Development Company in India | Devintelle Consulting Service
Odoo Development Company in India | Devintelle Consulting ServiceOdoo Development Company in India | Devintelle Consulting Service
Odoo Development Company in India | Devintelle Consulting Service
 
Unveiling Design Patterns: A Visual Guide with UML Diagrams
Unveiling Design Patterns: A Visual Guide with UML DiagramsUnveiling Design Patterns: A Visual Guide with UML Diagrams
Unveiling Design Patterns: A Visual Guide with UML Diagrams
 
VK Business Profile - provides IT solutions and Web Development
VK Business Profile - provides IT solutions and Web DevelopmentVK Business Profile - provides IT solutions and Web Development
VK Business Profile - provides IT solutions and Web Development
 
Open Source Summit NA 2024: Open Source Cloud Costs - OpenCost's Impact on En...
Open Source Summit NA 2024: Open Source Cloud Costs - OpenCost's Impact on En...Open Source Summit NA 2024: Open Source Cloud Costs - OpenCost's Impact on En...
Open Source Summit NA 2024: Open Source Cloud Costs - OpenCost's Impact on En...
 
Maximizing Efficiency and Profitability with OnePlan’s Professional Service A...
Maximizing Efficiency and Profitability with OnePlan’s Professional Service A...Maximizing Efficiency and Profitability with OnePlan’s Professional Service A...
Maximizing Efficiency and Profitability with OnePlan’s Professional Service A...
 
Comparing Linux OS Image Update Models - EOSS 2024.pdf
Comparing Linux OS Image Update Models - EOSS 2024.pdfComparing Linux OS Image Update Models - EOSS 2024.pdf
Comparing Linux OS Image Update Models - EOSS 2024.pdf
 
KnowAPIs-UnknownPerf-jaxMainz-2024 (1).pptx
KnowAPIs-UnknownPerf-jaxMainz-2024 (1).pptxKnowAPIs-UnknownPerf-jaxMainz-2024 (1).pptx
KnowAPIs-UnknownPerf-jaxMainz-2024 (1).pptx
 
Precise and Complete Requirements? An Elusive Goal
Precise and Complete Requirements? An Elusive GoalPrecise and Complete Requirements? An Elusive Goal
Precise and Complete Requirements? An Elusive Goal
 
Tech Tuesday - Mastering Time Management Unlock the Power of OnePlan's Timesh...
Tech Tuesday - Mastering Time Management Unlock the Power of OnePlan's Timesh...Tech Tuesday - Mastering Time Management Unlock the Power of OnePlan's Timesh...
Tech Tuesday - Mastering Time Management Unlock the Power of OnePlan's Timesh...
 
PREDICTING RIVER WATER QUALITY ppt presentation
PREDICTING  RIVER  WATER QUALITY  ppt presentationPREDICTING  RIVER  WATER QUALITY  ppt presentation
PREDICTING RIVER WATER QUALITY ppt presentation
 
MYjobs Presentation Django-based project
MYjobs Presentation Django-based projectMYjobs Presentation Django-based project
MYjobs Presentation Django-based project
 
SpotFlow: Tracking Method Calls and States at Runtime
SpotFlow: Tracking Method Calls and States at RuntimeSpotFlow: Tracking Method Calls and States at Runtime
SpotFlow: Tracking Method Calls and States at Runtime
 
What is Advanced Excel and what are some best practices for designing and cre...
What is Advanced Excel and what are some best practices for designing and cre...What is Advanced Excel and what are some best practices for designing and cre...
What is Advanced Excel and what are some best practices for designing and cre...
 
Ahmed Motair CV April 2024 (Senior SW Developer)
Ahmed Motair CV April 2024 (Senior SW Developer)Ahmed Motair CV April 2024 (Senior SW Developer)
Ahmed Motair CV April 2024 (Senior SW Developer)
 
Advantages of Odoo ERP 17 for Your Business
Advantages of Odoo ERP 17 for Your BusinessAdvantages of Odoo ERP 17 for Your Business
Advantages of Odoo ERP 17 for Your Business
 
Folding Cheat Sheet #4 - fourth in a series
Folding Cheat Sheet #4 - fourth in a seriesFolding Cheat Sheet #4 - fourth in a series
Folding Cheat Sheet #4 - fourth in a series
 
How to submit a standout Adobe Champion Application
How to submit a standout Adobe Champion ApplicationHow to submit a standout Adobe Champion Application
How to submit a standout Adobe Champion Application
 

Object-Oriented Javascript