SlideShare a Scribd company logo
1 of 49
Download to read offline
PARSE
BACKEND AS A SERVICE
Ville Seppänen
CONTENTS
Whatis Parse?
Parse Data&Parse Push
Android Demo
Other services: Cloud code, Social, Analytics
Evaluation &Summary
WHAT IS PARSE?
PARSE IS A MBAAS
Parse is ahosted closed-source, proprietarymobile-backend-as-
a-service (mBaaS)
Itoffers BaaS over APIs for severalplatforms
SERVICE CATALOGUE
Parse Database
Parse Push notifications
Parse User managementand Socialweb integration
Cloud Code server-side code hosting
Parse Analytics
SUPPORTS MOST PLATFORMS
Mainplatforms: Android, iOS, OS X, JavaScript, Windows 8,
Windows Phone 8, Unity, REST
3rd partylibraries: .NET, Java, Clojure, jQuery, Node, PHP,
Python, Objective-C, Qt, Ruby, ...
OWNED BY FACEBOOK
April2013: "Facebook boughtmobile cloud services company
Parse for areported $85 million"
readwrite.com/2013/04/29/parse-acquisition-makes-its-
rivals-very-happy
Even when you are notin Facebook, you are partof Facebook?
SUBSCRIPTION LEVELS
PARSE RUNS ON AMAZON WEB SERVICES
aws.amazon.com/solutions/case-studies/parse
PARSE SUPPORT
GettingStarted guides, Tutorials and API documentation
StackOverflow (843 parse.com questions)
Parse's own "StackOverflow clone"
Parse Developer Dayconference held in September 2013
parse.com/help
APP BASICS
Asingle Parse developer accountcan hold manyApps, paying
customers can collaborate on an app
Apps are isolated from each other
Dashboard for simple managementand monitoring
DASHBOARD
PARSE DATA
EFFORTLESS DATABASE
JSON-based, auto-generated schema, semi-relational
notreal-time, notauto-syncing(started makingachatapp
around the db untilI realized this)
AParse devsuggested creatingsync with push notifications
ParseObjects can onlybe 128kb, ParseFile objectcan be 10
megabytes
parse.com/questions/real-time-updates-like-firebase
SMALLEST WORKING EXAMPLE
//InitParseandauto-generateananonymoususerforthisinstallation
Parse.initialize(this,YOUR_APPLICATION_ID,YOUR_CLIENT_KEY);
ParseUser.enableAutomaticUser();
//UploadanewobjecttotheParsedatabase
ParseObjectgameScore=newParseObject("GameScore");
gameScore.put("score",1337);
gameScore.put("playerName","SeanPlott");
gameScore.saveInBackground();
SUBCLASSING PARSEOBJECT
Instead of:
ParseObjectshield=newParseObject("Armor");
shield.put("displayName","WoodenShield");
shield.put("fireproof",false);
We can have:
Armorshield=newArmor();
shield.setDisplayName("WoodenShield");
shield.setFireproof(false);
@ParseClassName("Armor")
publicclassArmorextendsParseObject{/*...*/}
ParseObject.registerSubclass(Armor.class);
SPECIAL CLASS: USER
SPECIAL CLASS: INSTALLATION
REST CALLS
curl--requestGET
--header"X-Parse-Application-Id:Xlsvm0...WL4in"
--header"X-Parse-REST-API-Key:0OPlRuE...5lk"
--get
--data-urlencode'where={"playerName":"SeanPlott","cheatMode":false}'
https://api.parse.com/1/classes/GameScore
{
"results":[
{
"playerName":"SeanPlott",
"updatedAt":"2011-08-21T18:02:52.248Z",
"cheatMode":false,
"createdAt":"2011-08-20T02:06:57.931Z",
"objectId":"Ed1nuqPvcm",
"score":73453
}
]
}
ACCESS CONTROL LISTS (ACL)
Each objecthas its own ACL of users/roles/everyone and their
read/write access rights
{
"*":{
"read":true
},
"F4ori0jU9r":{
"write":true,
"read":true
}
}
CLASS-SPECIFIC ACCESS CONTROL
Get: fetchingan objectbyits objectId.
Find: issuingaqueryto fetch objects.
Update: savingan objectthatalreadyexists and has been
modified.
Create: savingan objectthatis new and hasn'tbeen created
yet.
Delete: deletingan object.
Add fields: addingfields to the class.
ROLE-BASED ACCESS CONTROL
Users can be grouped into roles
Subroles can be grouped into roles
Roles can be referred to in ACLs
//Createnewroleobject
ParseACLroleACL=newParseACL();
roleACL.setPublicReadAccess(true);
ParseRolerole=newParseRole("Administrator",roleACL);
//Adduserandchildroletorole
role.getUsers().add(newUser);
role.getRoles().add(childRole);
role.saveInBackground();
PARSE PUSH
PUSH NOTIFICATION
PUSH NOTIFICATIONS
Parse offers scheduling, expiration time and targetsegmenting
Can be sentfrom the dashboard and from allSDKs, butonly
received in iOS, Android and Win8 "Metro"
Requires Apple Push Certificate on iOS and Windows Push
Credentials on Win8 apps. On Android Parse has its own
service, with pros and cons
CUSTOMIZING PUSH NOTIFICATIONS
alert: the notification's message.
badge: (iOS only) the value indicated in the top rightcorner of
the app icon. This can be setto avalue or to Incrementin order
to incrementthe currentvalue by1.
sound: (iOS only) the name of asound file in the application
bundle.
content-available: (iOS only) if you are usingNewsstand, set
this value to 1 to trigger abackground download (more here).
action: (Android only) the Intentshould be fired when the push
is received. If nottitle or alertvalues are specified, the Intent
willbe fired butno notification willappear to the user.
title: (Android only) the value displayed in the Android system
traynotification.
PUSH CHANNELS
Installations (notusers) subscribe to pushes
JAVASCRIPT PUSH
Send push message
Parse.initialize("RNh7...vfJtTC","1CdI01...21iU");
varrecent=newDate(newDate().getTime()-(24*3600*1000));
varquery=newParse.Query(Parse.Installation);
query.equalTo('channels','Control');
query.greaterThanOrEqualTo("updatedAt",recent);
Parse.Push.send({
where:query,
data:{
alert:"HelloJavaScript!"
}
},{
success:function(){/*Pushwassuccessful*/},
error:function(error){/*Handleerror*/}
});
JSON DATA PUSH
{
"title":"BaasChat",
"alert":"Hellomobileclient!",
"myCustomData":"foobar"
}
EXECUTE (ANDROID) CLIENT CODE VIA PUSH
{
"action":"fi.vilsepi.peekaboo.TAKE_PHOTO",
"sneakyPayload":"anyparametersforourfunctioncall"
}
<!--thefunctiononReceive(context,intent)ofthisclasswillbecalled-->
<receiverandroid:name="fi.vilsepi.peekaboo.BackgroundPushReceiver">
<intent-filter>
<actionandroid:name="fi.vilsepi.peekaboo.TAKE_PHOTO"></action>
</intent-filter>
</receiver>
UiPushReceiverpushReceiver=newUiPushReceiver(newHandler());
registerReceiver(pushReceiver,newIntentFilter("fi.vilsepi.peekaboo.PHOTO_TAKEN"));
publicclassUiPushReceiverextendsBroadcastReceiver{
publicvoidonReceive(finalContextcontext,Intentintent){
Stringaction=intent.getAction();
Stringchannel=intent.getExtras().getString("com.parse.Channel");
JSONObjectjson=newJSONObject(intent.getExtras().getString("com.parse.Data"));
//etc..
}
}
UNDER THE HOOD
On Android, pushes use Parse's own background service
Pushes are cleartextHTTP over open TCP connection from
push.parse.com
{
"time":"2013-10-17T12:33:00.224Z",
"oauth_key":"RNh7DvetGOeZtifApJ2yTUrVg9wY0rq4ULvfJtTC",
"data":{
"alert":"HelloWireshark!",
"push_hash":"3616ff34c02d2e63b895ec112765f270"
}
}
DEMO TIME!
ANDROID DEMO
1. Enable Settings -> Security-> Unknown sources
2. Installvilsepi.dyndns.org/baas
(testedonGingerbread2.3.3,JellyBean4.2and4.3)
PEEKABOO: CAMERA SHARING APP
vilsepi.dyndns.org/baas
JAVASCRIPT CLIENT
Latestphotos from allusers
HOW IT WORKS
1. on firststart, auto-generate an anonymous user
2. update the user into the database and subscribe to push
channels
3. queryfor users thathave been modified lately, pick one at
random
4. send clientpush to the targetviaParse
5. on receivingTAKE_PHOTO, take aphoto with cameraand
upload itto Parse
6. once photo has been uploaded, send clientpush to requester
viaParse
7. on receivingPHOTO_TAKEN, queryfor Photos thatcurrent
user has requested
OTHER SERVICES
CLOUD CODE: HOSTED SERVER-SIDE CODE
server-side Javascriptprograms
code is uploaded to Parse usingCLI tool(simple as "parse
deploy")
BAASBLOG.PARSEAPP.COM
Vilperi
Demo blog for BaaS seminar
http://fi.lipsum.com/October 22nd 2013, 12:20 pm
Lorem Ipsum on yksinkertaisesti testausteksti, jota tulostus- ja
ladontateollisuudet käyttävät. Lorem Ipsum on ollut teollisuuden
normaali testausteksti jo 1500-luvulta asti, jolloin tuntematon
tulostaja otti kaljuunan...
baasblog.parseapp.com/posts/new
username: baas password: baas
NOT JUST WEB APPS
Clientapps can make function calls to server-side code
Cloud code can run scheduled jobs
JS modules for 3rd partyservices: photochecking, email, credit
cards, sms, voice calls
parse.com/docs/cloud_code_guide#functions
CLOUD CODE LIMITS
Functions have stricttime limits (15 seconds, 3 seconds for
beforeSave and afterSave)
Background jobs are killed in 15 minutes
Onlyone job runningatatime (payfor whoppingtwo jobs),
restare queued
This is notacomputation IaaS butrather cleaningup the data
thatis stored
OTHER CLIENT SDK FEATURES
Socialand identityintegration with Facebook and Twitter
Convinience methods for adaptingdataqueries into UI
elements
Geolocation helper functions
Cachingdatain clientdevices (saveEventually,
saveInBackground...)
Analytics, custom metrics (errors, user behavior)
SUMMARY
EVALUATION
database is not"real-time"and auto-syncinglike Firebase
datacan be exported easily, butcode is specific to the
proprietaryAPI
Varyingdelayin push notifications
Sometimes often the Android client's push service dies silently
CloudCode snippetfor Google Cloud Messaging
parse.com/questions/ios-push-notifications-very-unreliable
citrrus.com/blog/what-going-on-with-parse-dot-com
parse.com/questions/gcm-support
cannotchange/resetAPI keys
cannoteasilycopy/fork/clone an app
can onlyview push statistics in the dashboard
WHAT PARSE IS GOOD FOR
backend for (multi-plaform) mobile apps
push notifications for marketingand user engagement
probablynotthe bestoption if you onlyneed adatabase
QUESTIONS?
dafuqdidijustwatch?
THANK YOU!

More Related Content

What's hot

Search APIs in Spotlight and Safari
Search APIs in Spotlight and SafariSearch APIs in Spotlight and Safari
Search APIs in Spotlight and SafariYusuke Kita
 
Lecture 10 Networking on Mobile Devices
Lecture 10 Networking on Mobile DevicesLecture 10 Networking on Mobile Devices
Lecture 10 Networking on Mobile DevicesMaksym Davydov
 
Server Side Swift with Swag
Server Side Swift with SwagServer Side Swift with Swag
Server Side Swift with SwagJens Ravens
 
Search APIs & Universal Links
Search APIs & Universal LinksSearch APIs & Universal Links
Search APIs & Universal LinksYusuke Kita
 
Cloud Security @ Netflix
Cloud Security @ NetflixCloud Security @ Netflix
Cloud Security @ NetflixJason Chan
 
How to make workout app for watch os 2
How to make workout app for watch os 2How to make workout app for watch os 2
How to make workout app for watch os 2Yusuke Kita
 
Programming Azure Active Directory (DevLink 2014)
Programming Azure Active Directory (DevLink 2014)Programming Azure Active Directory (DevLink 2014)
Programming Azure Active Directory (DevLink 2014)Michael Collier
 
6 Things You Didn't Know About Firebase Auth
6 Things You Didn't Know About Firebase Auth6 Things You Didn't Know About Firebase Auth
6 Things You Didn't Know About Firebase AuthPeter Friese
 
AWS CloudFormation Intrinsic Functions and Mappings
AWS CloudFormation Intrinsic Functions and Mappings AWS CloudFormation Intrinsic Functions and Mappings
AWS CloudFormation Intrinsic Functions and Mappings Adam Book
 
Introducing Cardio
Introducing CardioIntroducing Cardio
Introducing CardioYusuke Kita
 
best aws training in bangalore
best aws training in bangalorebest aws training in bangalore
best aws training in bangalorerajkamal560066
 
Prototyping applications with heroku and elasticsearch
 Prototyping applications with heroku and elasticsearch Prototyping applications with heroku and elasticsearch
Prototyping applications with heroku and elasticsearchprotofy
 
Integrate CI/CD Pipelines with Jira Software Cloud
Integrate CI/CD Pipelines with Jira Software CloudIntegrate CI/CD Pipelines with Jira Software Cloud
Integrate CI/CD Pipelines with Jira Software CloudAtlassian
 
Cloud Computing: Changing the software business
Cloud Computing: Changing the software businessCloud Computing: Changing the software business
Cloud Computing: Changing the software businessSoftware Park Thailand
 
Preparing for Data Residency and Custom Domains
Preparing for Data Residency and Custom DomainsPreparing for Data Residency and Custom Domains
Preparing for Data Residency and Custom DomainsAtlassian
 
Creating a Custom PowerApp Connector using Azure Functions
Creating a Custom PowerApp Connector using Azure FunctionsCreating a Custom PowerApp Connector using Azure Functions
Creating a Custom PowerApp Connector using Azure FunctionsMurray Fife
 
AppSync.org: open-source patterns and code for data synchronization in mobile...
AppSync.org: open-source patterns and code for data synchronization in mobile...AppSync.org: open-source patterns and code for data synchronization in mobile...
AppSync.org: open-source patterns and code for data synchronization in mobile...Niko Nelissen
 
Windows Azure Mobile Services - The Perfect Partner
Windows Azure Mobile Services - The Perfect PartnerWindows Azure Mobile Services - The Perfect Partner
Windows Azure Mobile Services - The Perfect PartnerMichael Collier
 

What's hot (20)

Search APIs in Spotlight and Safari
Search APIs in Spotlight and SafariSearch APIs in Spotlight and Safari
Search APIs in Spotlight and Safari
 
Lecture 10 Networking on Mobile Devices
Lecture 10 Networking on Mobile DevicesLecture 10 Networking on Mobile Devices
Lecture 10 Networking on Mobile Devices
 
Server Side Swift with Swag
Server Side Swift with SwagServer Side Swift with Swag
Server Side Swift with Swag
 
Search APIs & Universal Links
Search APIs & Universal LinksSearch APIs & Universal Links
Search APIs & Universal Links
 
Cloud Security @ Netflix
Cloud Security @ NetflixCloud Security @ Netflix
Cloud Security @ Netflix
 
How to make workout app for watch os 2
How to make workout app for watch os 2How to make workout app for watch os 2
How to make workout app for watch os 2
 
Programming Azure Active Directory (DevLink 2014)
Programming Azure Active Directory (DevLink 2014)Programming Azure Active Directory (DevLink 2014)
Programming Azure Active Directory (DevLink 2014)
 
6 Things You Didn't Know About Firebase Auth
6 Things You Didn't Know About Firebase Auth6 Things You Didn't Know About Firebase Auth
6 Things You Didn't Know About Firebase Auth
 
AWS CloudFormation Intrinsic Functions and Mappings
AWS CloudFormation Intrinsic Functions and Mappings AWS CloudFormation Intrinsic Functions and Mappings
AWS CloudFormation Intrinsic Functions and Mappings
 
Introducing Cardio
Introducing CardioIntroducing Cardio
Introducing Cardio
 
best aws training in bangalore
best aws training in bangalorebest aws training in bangalore
best aws training in bangalore
 
Prototyping applications with heroku and elasticsearch
 Prototyping applications with heroku and elasticsearch Prototyping applications with heroku and elasticsearch
Prototyping applications with heroku and elasticsearch
 
Integrate CI/CD Pipelines with Jira Software Cloud
Integrate CI/CD Pipelines with Jira Software CloudIntegrate CI/CD Pipelines with Jira Software Cloud
Integrate CI/CD Pipelines with Jira Software Cloud
 
Cloud Computing: Changing the software business
Cloud Computing: Changing the software businessCloud Computing: Changing the software business
Cloud Computing: Changing the software business
 
Preparing for Data Residency and Custom Domains
Preparing for Data Residency and Custom DomainsPreparing for Data Residency and Custom Domains
Preparing for Data Residency and Custom Domains
 
Creating a Custom PowerApp Connector using Azure Functions
Creating a Custom PowerApp Connector using Azure FunctionsCreating a Custom PowerApp Connector using Azure Functions
Creating a Custom PowerApp Connector using Azure Functions
 
AppSync.org: open-source patterns and code for data synchronization in mobile...
AppSync.org: open-source patterns and code for data synchronization in mobile...AppSync.org: open-source patterns and code for data synchronization in mobile...
AppSync.org: open-source patterns and code for data synchronization in mobile...
 
Orchestrating the Cloud
Orchestrating the CloudOrchestrating the Cloud
Orchestrating the Cloud
 
Google Web Toolkit
Google Web ToolkitGoogle Web Toolkit
Google Web Toolkit
 
Windows Azure Mobile Services - The Perfect Partner
Windows Azure Mobile Services - The Perfect PartnerWindows Azure Mobile Services - The Perfect Partner
Windows Azure Mobile Services - The Perfect Partner
 

Viewers also liked

Amazon Elastic MapReduce (EMR): Hadoop as a Service
Amazon Elastic MapReduce (EMR): Hadoop as a ServiceAmazon Elastic MapReduce (EMR): Hadoop as a Service
Amazon Elastic MapReduce (EMR): Hadoop as a ServiceVille Seppänen
 
Secure context-awareness in ubiquitous computing
Secure context-awareness in ubiquitous computingSecure context-awareness in ubiquitous computing
Secure context-awareness in ubiquitous computingVille Seppänen
 
Capturing policies for fine-grained access control on mobile devices
Capturing policies for fine-grained access control on mobile devicesCapturing policies for fine-grained access control on mobile devices
Capturing policies for fine-grained access control on mobile devicesPrajit Kumar Das
 
SecureDroid: An Android Security Framework Extension for Context-Aware policy...
SecureDroid: An Android Security Framework Extension for Context-Aware policy...SecureDroid: An Android Security Framework Extension for Context-Aware policy...
SecureDroid: An Android Security Framework Extension for Context-Aware policy...Giuseppe La Torre
 
Context-Aware Access Control and Presentation of Linked Data
Context-Aware Access Control and Presentation of Linked DataContext-Aware Access Control and Presentation of Linked Data
Context-Aware Access Control and Presentation of Linked DataLuca Costabello
 
Access Control Presentation
Access Control PresentationAccess Control Presentation
Access Control PresentationWajahat Rajab
 
when you forget your password
when you forget your passwordwhen you forget your password
when you forget your passwordCorneliu Dascălu
 
Evaluacion iv trim2013
Evaluacion iv trim2013Evaluacion iv trim2013
Evaluacion iv trim2013Leghna Guedez
 
Stephen Joseph Racik
Stephen Joseph RacikStephen Joseph Racik
Stephen Joseph Racikshannondelman
 
Vahvojen tunnusten hallinta
Vahvojen tunnusten hallintaVahvojen tunnusten hallinta
Vahvojen tunnusten hallintaFinceptum Oy
 
Power de animales ovíparos y viviparos
Power de animales ovíparos y viviparosPower de animales ovíparos y viviparos
Power de animales ovíparos y viviparosnataliaguero
 
Get 'em in, Get 'em out: Finding a Road from Turnaway Data to Repurposed Space
Get 'em in, Get 'em out: Finding a Road from Turnaway Data to Repurposed SpaceGet 'em in, Get 'em out: Finding a Road from Turnaway Data to Repurposed Space
Get 'em in, Get 'em out: Finding a Road from Turnaway Data to Repurposed SpaceNikki DeMoville
 
Top 8 internet marketing specialist resume samples
Top 8 internet marketing specialist resume samplesTop 8 internet marketing specialist resume samples
Top 8 internet marketing specialist resume sampleshallerharry710
 
Resume-Amar.compressed
Resume-Amar.compressedResume-Amar.compressed
Resume-Amar.compressedAmarjeet Kumar
 

Viewers also liked (20)

Amazon Elastic MapReduce (EMR): Hadoop as a Service
Amazon Elastic MapReduce (EMR): Hadoop as a ServiceAmazon Elastic MapReduce (EMR): Hadoop as a Service
Amazon Elastic MapReduce (EMR): Hadoop as a Service
 
Secure context-awareness in ubiquitous computing
Secure context-awareness in ubiquitous computingSecure context-awareness in ubiquitous computing
Secure context-awareness in ubiquitous computing
 
Capturing policies for fine-grained access control on mobile devices
Capturing policies for fine-grained access control on mobile devicesCapturing policies for fine-grained access control on mobile devices
Capturing policies for fine-grained access control on mobile devices
 
SecureDroid: An Android Security Framework Extension for Context-Aware policy...
SecureDroid: An Android Security Framework Extension for Context-Aware policy...SecureDroid: An Android Security Framework Extension for Context-Aware policy...
SecureDroid: An Android Security Framework Extension for Context-Aware policy...
 
Context-Aware Access Control and Presentation of Linked Data
Context-Aware Access Control and Presentation of Linked DataContext-Aware Access Control and Presentation of Linked Data
Context-Aware Access Control and Presentation of Linked Data
 
Android security
Android securityAndroid security
Android security
 
Access Control Presentation
Access Control PresentationAccess Control Presentation
Access Control Presentation
 
wcbg-nhd-stack
wcbg-nhd-stackwcbg-nhd-stack
wcbg-nhd-stack
 
when you forget your password
when you forget your passwordwhen you forget your password
when you forget your password
 
EL ORDENADOR
EL ORDENADOREL ORDENADOR
EL ORDENADOR
 
CURRICULUM VITAE(SHOW)
CURRICULUM VITAE(SHOW)CURRICULUM VITAE(SHOW)
CURRICULUM VITAE(SHOW)
 
Evaluacion iv trim2013
Evaluacion iv trim2013Evaluacion iv trim2013
Evaluacion iv trim2013
 
Stephen Joseph Racik
Stephen Joseph RacikStephen Joseph Racik
Stephen Joseph Racik
 
Vahvojen tunnusten hallinta
Vahvojen tunnusten hallintaVahvojen tunnusten hallinta
Vahvojen tunnusten hallinta
 
La Representacion Grafica
La Representacion GraficaLa Representacion Grafica
La Representacion Grafica
 
Bordetella
BordetellaBordetella
Bordetella
 
Power de animales ovíparos y viviparos
Power de animales ovíparos y viviparosPower de animales ovíparos y viviparos
Power de animales ovíparos y viviparos
 
Get 'em in, Get 'em out: Finding a Road from Turnaway Data to Repurposed Space
Get 'em in, Get 'em out: Finding a Road from Turnaway Data to Repurposed SpaceGet 'em in, Get 'em out: Finding a Road from Turnaway Data to Repurposed Space
Get 'em in, Get 'em out: Finding a Road from Turnaway Data to Repurposed Space
 
Top 8 internet marketing specialist resume samples
Top 8 internet marketing specialist resume samplesTop 8 internet marketing specialist resume samples
Top 8 internet marketing specialist resume samples
 
Resume-Amar.compressed
Resume-Amar.compressedResume-Amar.compressed
Resume-Amar.compressed
 

Similar to Parse: A Mobile Backend as a Service (MBaaS)

(Christian heilman) firefox
(Christian heilman) firefox(Christian heilman) firefox
(Christian heilman) firefoxNAVER D2
 
Web application penetration testing lab setup guide
Web application penetration testing lab setup guideWeb application penetration testing lab setup guide
Web application penetration testing lab setup guideSudhanshu Chauhan
 
Web APIs & Apps - Mozilla
Web APIs & Apps - MozillaWeb APIs & Apps - Mozilla
Web APIs & Apps - MozillaRobert Nyman
 
Automation in Digital Cloud Labs
Automation in Digital Cloud LabsAutomation in Digital Cloud Labs
Automation in Digital Cloud LabsRapidValue
 
IBM Cloud University: Build, Deploy and Scale Node.js Microservices
IBM Cloud University: Build, Deploy and Scale Node.js MicroservicesIBM Cloud University: Build, Deploy and Scale Node.js Microservices
IBM Cloud University: Build, Deploy and Scale Node.js MicroservicesChris Bailey
 
Fixing the mobile web - Internet World Romania
Fixing the mobile web - Internet World RomaniaFixing the mobile web - Internet World Romania
Fixing the mobile web - Internet World RomaniaChristian Heilmann
 
WebAPIs & Apps - Mozilla London
WebAPIs & Apps - Mozilla LondonWebAPIs & Apps - Mozilla London
WebAPIs & Apps - Mozilla LondonRobert Nyman
 
SAP Kapsel Plugins For Cordova
SAP Kapsel Plugins For CordovaSAP Kapsel Plugins For Cordova
SAP Kapsel Plugins For CordovaChris Whealy
 
The Happy Path: Migration Strategies for Node.js
The Happy Path: Migration Strategies for Node.jsThe Happy Path: Migration Strategies for Node.js
The Happy Path: Migration Strategies for Node.jsNicholas Jansma
 
Hydrosphere.io Platform for AI/ML Operations Automation
Hydrosphere.io Platform for AI/ML Operations AutomationHydrosphere.io Platform for AI/ML Operations Automation
Hydrosphere.io Platform for AI/ML Operations AutomationRustem Zakiev
 
PaaS Anywhere - Deploying an OpenShift PaaS into your Cloud Provider of Choice
PaaS Anywhere - Deploying an OpenShift PaaS into your Cloud Provider of ChoicePaaS Anywhere - Deploying an OpenShift PaaS into your Cloud Provider of Choice
PaaS Anywhere - Deploying an OpenShift PaaS into your Cloud Provider of ChoiceIsaac Christoffersen
 
DreamFactory Essentials Webinar
DreamFactory Essentials WebinarDreamFactory Essentials Webinar
DreamFactory Essentials WebinarDreamFactory
 
Windows Azure Mobile Services
Windows Azure Mobile ServicesWindows Azure Mobile Services
Windows Azure Mobile ServicesSasha Goldshtein
 
OpenSlava 2014 - CloudFoundry inside-out
OpenSlava 2014 - CloudFoundry inside-outOpenSlava 2014 - CloudFoundry inside-out
OpenSlava 2014 - CloudFoundry inside-outAntons Kranga
 
Microsoft graph and power platform champ
Microsoft graph and power platform   champMicrosoft graph and power platform   champ
Microsoft graph and power platform champKumton Suttiraksiri
 
Seattle StrongLoop Node.js Workshop
Seattle StrongLoop Node.js WorkshopSeattle StrongLoop Node.js Workshop
Seattle StrongLoop Node.js WorkshopJimmy Guerrero
 
Node Interactive: Node.js Performance and Highly Scalable Micro-Services
Node Interactive: Node.js Performance and Highly Scalable Micro-ServicesNode Interactive: Node.js Performance and Highly Scalable Micro-Services
Node Interactive: Node.js Performance and Highly Scalable Micro-ServicesChris Bailey
 
Get your Spatial on with MongoDB in the Cloud
Get your Spatial on with MongoDB in the CloudGet your Spatial on with MongoDB in the Cloud
Get your Spatial on with MongoDB in the CloudMongoDB
 

Similar to Parse: A Mobile Backend as a Service (MBaaS) (20)

(Christian heilman) firefox
(Christian heilman) firefox(Christian heilman) firefox
(Christian heilman) firefox
 
Web application penetration testing lab setup guide
Web application penetration testing lab setup guideWeb application penetration testing lab setup guide
Web application penetration testing lab setup guide
 
Appium solution
Appium solutionAppium solution
Appium solution
 
Web APIs & Apps - Mozilla
Web APIs & Apps - MozillaWeb APIs & Apps - Mozilla
Web APIs & Apps - Mozilla
 
Automation in Digital Cloud Labs
Automation in Digital Cloud LabsAutomation in Digital Cloud Labs
Automation in Digital Cloud Labs
 
IBM Cloud University: Build, Deploy and Scale Node.js Microservices
IBM Cloud University: Build, Deploy and Scale Node.js MicroservicesIBM Cloud University: Build, Deploy and Scale Node.js Microservices
IBM Cloud University: Build, Deploy and Scale Node.js Microservices
 
Fixing the mobile web - Internet World Romania
Fixing the mobile web - Internet World RomaniaFixing the mobile web - Internet World Romania
Fixing the mobile web - Internet World Romania
 
WebAPIs & Apps - Mozilla London
WebAPIs & Apps - Mozilla LondonWebAPIs & Apps - Mozilla London
WebAPIs & Apps - Mozilla London
 
SAP Kapsel Plugins For Cordova
SAP Kapsel Plugins For CordovaSAP Kapsel Plugins For Cordova
SAP Kapsel Plugins For Cordova
 
The Happy Path: Migration Strategies for Node.js
The Happy Path: Migration Strategies for Node.jsThe Happy Path: Migration Strategies for Node.js
The Happy Path: Migration Strategies for Node.js
 
Hydrosphere.io Platform for AI/ML Operations Automation
Hydrosphere.io Platform for AI/ML Operations AutomationHydrosphere.io Platform for AI/ML Operations Automation
Hydrosphere.io Platform for AI/ML Operations Automation
 
PaaS Anywhere - Deploying an OpenShift PaaS into your Cloud Provider of Choice
PaaS Anywhere - Deploying an OpenShift PaaS into your Cloud Provider of ChoicePaaS Anywhere - Deploying an OpenShift PaaS into your Cloud Provider of Choice
PaaS Anywhere - Deploying an OpenShift PaaS into your Cloud Provider of Choice
 
DreamFactory Essentials Webinar
DreamFactory Essentials WebinarDreamFactory Essentials Webinar
DreamFactory Essentials Webinar
 
Windows Azure Mobile Services
Windows Azure Mobile ServicesWindows Azure Mobile Services
Windows Azure Mobile Services
 
OpenSlava 2014 - CloudFoundry inside-out
OpenSlava 2014 - CloudFoundry inside-outOpenSlava 2014 - CloudFoundry inside-out
OpenSlava 2014 - CloudFoundry inside-out
 
Microsoft graph and power platform champ
Microsoft graph and power platform   champMicrosoft graph and power platform   champ
Microsoft graph and power platform champ
 
Seattle StrongLoop Node.js Workshop
Seattle StrongLoop Node.js WorkshopSeattle StrongLoop Node.js Workshop
Seattle StrongLoop Node.js Workshop
 
Node Interactive: Node.js Performance and Highly Scalable Micro-Services
Node Interactive: Node.js Performance and Highly Scalable Micro-ServicesNode Interactive: Node.js Performance and Highly Scalable Micro-Services
Node Interactive: Node.js Performance and Highly Scalable Micro-Services
 
Mean stack Magics
Mean stack MagicsMean stack Magics
Mean stack Magics
 
Get your Spatial on with MongoDB in the Cloud
Get your Spatial on with MongoDB in the CloudGet your Spatial on with MongoDB in the Cloud
Get your Spatial on with MongoDB in the Cloud
 

Recently uploaded

Shapes for Sharing between Graph Data Spaces - and Epistemic Querying of RDF-...
Shapes for Sharing between Graph Data Spaces - and Epistemic Querying of RDF-...Shapes for Sharing between Graph Data Spaces - and Epistemic Querying of RDF-...
Shapes for Sharing between Graph Data Spaces - and Epistemic Querying of RDF-...Steffen Staab
 
The Top App Development Trends Shaping the Industry in 2024-25 .pdf
The Top App Development Trends Shaping the Industry in 2024-25 .pdfThe Top App Development Trends Shaping the Industry in 2024-25 .pdf
The Top App Development Trends Shaping the Industry in 2024-25 .pdfayushiqss
 
%in Stilfontein+277-882-255-28 abortion pills for sale in Stilfontein
%in Stilfontein+277-882-255-28 abortion pills for sale in Stilfontein%in Stilfontein+277-882-255-28 abortion pills for sale in Stilfontein
%in Stilfontein+277-882-255-28 abortion pills for sale in Stilfonteinmasabamasaba
 
%in tembisa+277-882-255-28 abortion pills for sale in tembisa
%in tembisa+277-882-255-28 abortion pills for sale in tembisa%in tembisa+277-882-255-28 abortion pills for sale in tembisa
%in tembisa+277-882-255-28 abortion pills for sale in tembisamasabamasaba
 
Reassessing the Bedrock of Clinical Function Models: An Examination of Large ...
Reassessing the Bedrock of Clinical Function Models: An Examination of Large ...Reassessing the Bedrock of Clinical Function Models: An Examination of Large ...
Reassessing the Bedrock of Clinical Function Models: An Examination of Large ...harshavardhanraghave
 
Crypto Cloud Review - How To Earn Up To $500 Per DAY Of Bitcoin 100% On AutoP...
Crypto Cloud Review - How To Earn Up To $500 Per DAY Of Bitcoin 100% On AutoP...Crypto Cloud Review - How To Earn Up To $500 Per DAY Of Bitcoin 100% On AutoP...
Crypto Cloud Review - How To Earn Up To $500 Per DAY Of Bitcoin 100% On AutoP...SelfMade bd
 
%in Harare+277-882-255-28 abortion pills for sale in Harare
%in Harare+277-882-255-28 abortion pills for sale in Harare%in Harare+277-882-255-28 abortion pills for sale in Harare
%in Harare+277-882-255-28 abortion pills for sale in Hararemasabamasaba
 
Unlocking the Future of AI Agents with Large Language Models
Unlocking the Future of AI Agents with Large Language ModelsUnlocking the Future of AI Agents with Large Language Models
Unlocking the Future of AI Agents with Large Language Modelsaagamshah0812
 
Architecture decision records - How not to get lost in the past
Architecture decision records - How not to get lost in the pastArchitecture decision records - How not to get lost in the past
Architecture decision records - How not to get lost in the pastPapp Krisztián
 
%+27788225528 love spells in Atlanta Psychic Readings, Attraction spells,Brin...
%+27788225528 love spells in Atlanta Psychic Readings, Attraction spells,Brin...%+27788225528 love spells in Atlanta Psychic Readings, Attraction spells,Brin...
%+27788225528 love spells in Atlanta Psychic Readings, Attraction spells,Brin...masabamasaba
 
W01_panagenda_Navigating-the-Future-with-The-Hitchhikers-Guide-to-Notes-and-D...
W01_panagenda_Navigating-the-Future-with-The-Hitchhikers-Guide-to-Notes-and-D...W01_panagenda_Navigating-the-Future-with-The-Hitchhikers-Guide-to-Notes-and-D...
W01_panagenda_Navigating-the-Future-with-The-Hitchhikers-Guide-to-Notes-and-D...panagenda
 
%in Lydenburg+277-882-255-28 abortion pills for sale in Lydenburg
%in Lydenburg+277-882-255-28 abortion pills for sale in Lydenburg%in Lydenburg+277-882-255-28 abortion pills for sale in Lydenburg
%in Lydenburg+277-882-255-28 abortion pills for sale in Lydenburgmasabamasaba
 
%in Hazyview+277-882-255-28 abortion pills for sale in Hazyview
%in Hazyview+277-882-255-28 abortion pills for sale in Hazyview%in Hazyview+277-882-255-28 abortion pills for sale in Hazyview
%in Hazyview+277-882-255-28 abortion pills for sale in Hazyviewmasabamasaba
 
Generic or specific? Making sensible software design decisions
Generic or specific? Making sensible software design decisionsGeneric or specific? Making sensible software design decisions
Generic or specific? Making sensible software design decisionsBert Jan Schrijver
 
%in kaalfontein+277-882-255-28 abortion pills for sale in kaalfontein
%in kaalfontein+277-882-255-28 abortion pills for sale in kaalfontein%in kaalfontein+277-882-255-28 abortion pills for sale in kaalfontein
%in kaalfontein+277-882-255-28 abortion pills for sale in kaalfonteinmasabamasaba
 
%in Bahrain+277-882-255-28 abortion pills for sale in Bahrain
%in Bahrain+277-882-255-28 abortion pills for sale in Bahrain%in Bahrain+277-882-255-28 abortion pills for sale in Bahrain
%in Bahrain+277-882-255-28 abortion pills for sale in Bahrainmasabamasaba
 
The title is not connected to what is inside
The title is not connected to what is insideThe title is not connected to what is inside
The title is not connected to what is insideshinachiaurasa2
 
Announcing Codolex 2.0 from GDK Software
Announcing Codolex 2.0 from GDK SoftwareAnnouncing Codolex 2.0 from GDK Software
Announcing Codolex 2.0 from GDK SoftwareJim McKeeth
 
AI & Machine Learning Presentation Template
AI & Machine Learning Presentation TemplateAI & Machine Learning Presentation Template
AI & Machine Learning Presentation TemplatePresentation.STUDIO
 

Recently uploaded (20)

Shapes for Sharing between Graph Data Spaces - and Epistemic Querying of RDF-...
Shapes for Sharing between Graph Data Spaces - and Epistemic Querying of RDF-...Shapes for Sharing between Graph Data Spaces - and Epistemic Querying of RDF-...
Shapes for Sharing between Graph Data Spaces - and Epistemic Querying of RDF-...
 
The Top App Development Trends Shaping the Industry in 2024-25 .pdf
The Top App Development Trends Shaping the Industry in 2024-25 .pdfThe Top App Development Trends Shaping the Industry in 2024-25 .pdf
The Top App Development Trends Shaping the Industry in 2024-25 .pdf
 
%in Stilfontein+277-882-255-28 abortion pills for sale in Stilfontein
%in Stilfontein+277-882-255-28 abortion pills for sale in Stilfontein%in Stilfontein+277-882-255-28 abortion pills for sale in Stilfontein
%in Stilfontein+277-882-255-28 abortion pills for sale in Stilfontein
 
%in tembisa+277-882-255-28 abortion pills for sale in tembisa
%in tembisa+277-882-255-28 abortion pills for sale in tembisa%in tembisa+277-882-255-28 abortion pills for sale in tembisa
%in tembisa+277-882-255-28 abortion pills for sale in tembisa
 
Reassessing the Bedrock of Clinical Function Models: An Examination of Large ...
Reassessing the Bedrock of Clinical Function Models: An Examination of Large ...Reassessing the Bedrock of Clinical Function Models: An Examination of Large ...
Reassessing the Bedrock of Clinical Function Models: An Examination of Large ...
 
Crypto Cloud Review - How To Earn Up To $500 Per DAY Of Bitcoin 100% On AutoP...
Crypto Cloud Review - How To Earn Up To $500 Per DAY Of Bitcoin 100% On AutoP...Crypto Cloud Review - How To Earn Up To $500 Per DAY Of Bitcoin 100% On AutoP...
Crypto Cloud Review - How To Earn Up To $500 Per DAY Of Bitcoin 100% On AutoP...
 
%in Harare+277-882-255-28 abortion pills for sale in Harare
%in Harare+277-882-255-28 abortion pills for sale in Harare%in Harare+277-882-255-28 abortion pills for sale in Harare
%in Harare+277-882-255-28 abortion pills for sale in Harare
 
Unlocking the Future of AI Agents with Large Language Models
Unlocking the Future of AI Agents with Large Language ModelsUnlocking the Future of AI Agents with Large Language Models
Unlocking the Future of AI Agents with Large Language Models
 
Architecture decision records - How not to get lost in the past
Architecture decision records - How not to get lost in the pastArchitecture decision records - How not to get lost in the past
Architecture decision records - How not to get lost in the past
 
%+27788225528 love spells in Atlanta Psychic Readings, Attraction spells,Brin...
%+27788225528 love spells in Atlanta Psychic Readings, Attraction spells,Brin...%+27788225528 love spells in Atlanta Psychic Readings, Attraction spells,Brin...
%+27788225528 love spells in Atlanta Psychic Readings, Attraction spells,Brin...
 
W01_panagenda_Navigating-the-Future-with-The-Hitchhikers-Guide-to-Notes-and-D...
W01_panagenda_Navigating-the-Future-with-The-Hitchhikers-Guide-to-Notes-and-D...W01_panagenda_Navigating-the-Future-with-The-Hitchhikers-Guide-to-Notes-and-D...
W01_panagenda_Navigating-the-Future-with-The-Hitchhikers-Guide-to-Notes-and-D...
 
%in Lydenburg+277-882-255-28 abortion pills for sale in Lydenburg
%in Lydenburg+277-882-255-28 abortion pills for sale in Lydenburg%in Lydenburg+277-882-255-28 abortion pills for sale in Lydenburg
%in Lydenburg+277-882-255-28 abortion pills for sale in Lydenburg
 
%in Hazyview+277-882-255-28 abortion pills for sale in Hazyview
%in Hazyview+277-882-255-28 abortion pills for sale in Hazyview%in Hazyview+277-882-255-28 abortion pills for sale in Hazyview
%in Hazyview+277-882-255-28 abortion pills for sale in Hazyview
 
Generic or specific? Making sensible software design decisions
Generic or specific? Making sensible software design decisionsGeneric or specific? Making sensible software design decisions
Generic or specific? Making sensible software design decisions
 
CHEAP Call Girls in Pushp Vihar (-DELHI )🔝 9953056974🔝(=)/CALL GIRLS SERVICE
CHEAP Call Girls in Pushp Vihar (-DELHI )🔝 9953056974🔝(=)/CALL GIRLS SERVICECHEAP Call Girls in Pushp Vihar (-DELHI )🔝 9953056974🔝(=)/CALL GIRLS SERVICE
CHEAP Call Girls in Pushp Vihar (-DELHI )🔝 9953056974🔝(=)/CALL GIRLS SERVICE
 
%in kaalfontein+277-882-255-28 abortion pills for sale in kaalfontein
%in kaalfontein+277-882-255-28 abortion pills for sale in kaalfontein%in kaalfontein+277-882-255-28 abortion pills for sale in kaalfontein
%in kaalfontein+277-882-255-28 abortion pills for sale in kaalfontein
 
%in Bahrain+277-882-255-28 abortion pills for sale in Bahrain
%in Bahrain+277-882-255-28 abortion pills for sale in Bahrain%in Bahrain+277-882-255-28 abortion pills for sale in Bahrain
%in Bahrain+277-882-255-28 abortion pills for sale in Bahrain
 
The title is not connected to what is inside
The title is not connected to what is insideThe title is not connected to what is inside
The title is not connected to what is inside
 
Announcing Codolex 2.0 from GDK Software
Announcing Codolex 2.0 from GDK SoftwareAnnouncing Codolex 2.0 from GDK Software
Announcing Codolex 2.0 from GDK Software
 
AI & Machine Learning Presentation Template
AI & Machine Learning Presentation TemplateAI & Machine Learning Presentation Template
AI & Machine Learning Presentation Template
 

Parse: A Mobile Backend as a Service (MBaaS)