SlideShare a Scribd company logo
Developing Cloud Computing Applications with Java Shlomo Swidler CTO, MyDrifts.com [email_address]
Developing Cloud Computing Applications with Java Overview of Cloud Computing Amazon’s Cloud Platform Google’s Cloud Platform Application Development Challenges Posed by the Cloud… … and Java Solutions 22 June 2009 Developing Cloud Computing Applications with Java  by Shlomo Swidler
About Me CTO & co-Founder  Music marketing on social networks Patent-pending targeting technology Java, MySQL, auto-scaling & cloud-based Active in the Cloud Computing community Open Cloud Computing Interface Working Group (an Open Grid Forum initiative) participant Contributor to Open Source cloud & Java projects 22 June 2009 Developing Cloud Computing Applications with Java  by Shlomo Swidler
Cloud Computing Is… A style of computing in which dynamically scalable and often virtualized resources are provided as a service over the Internet. Users need not have knowledge of, expertise in, or control over the technology infrastructure in the “cloud” that supports them. – Wikipedia  22 June 2009 Developing Cloud Computing Applications with Java  by Shlomo Swidler
Cloud Computing Is… A style of  computing  in which dynamically scalable and often virtualized  resources  are provided  as a service  over the Internet. Users need not have knowledge of, expertise in, or control over the technology infrastructure in the “cloud” that supports them. – Wikipedia  22 June 2009 Developing Cloud Computing Applications with Java  by Shlomo Swidler
Cloud Computing Is… 22 June 2009 Developing Cloud Computing Applications with Java  by Shlomo Swidler
Cloud Computing Is… 22 June 2009 Developing Cloud Computing Applications with Java  by Shlomo Swidler
Cloud Computing Is… Computing Resources As a Service Pay-as-you-go or Subscription 22 June 2009 Developing Cloud Computing Applications with Java  by Shlomo Swidler Infrastructure Platform Software Processor LAMP Stack Email Memory JVM CRM System Storage Python VM ERP System Network MapReduce SCM System
Advantages of Cloud Computing From a Developer’s Perspective: Pay-as-you-go “utility computing” Saves time Saves $$$ On-demand resource allocation & release Scalability More on this later 22 June 2009 Developing Cloud Computing Applications with Java  by Shlomo Swidler
Risks of Cloud Computing Security Who else has access to “your” resources ? Recovery How easy is it ? Provider lock-in 22 June 2009 Developing Cloud Computing Applications with Java  by Shlomo Swidler
Amazon’s Cloud Platform: Amazon Web Services Infrastructure-as-a-Service Processors & Memory Elastic Compute Cloud  “EC2” Storage Simple Storage Service  “S3” Elastic Block Store  “EBS” SimpleDB  database 22 June 2009 Developing Cloud Computing Applications with Java  by Shlomo Swidler Network Content Delivery Network  CloudFront Messaging Simple Queue Service  “SQS”
Amazon Dashboard ElasticFox Firefox plugin 22 June 2009 Developing Cloud Computing Applications with Java  by Shlomo Swidler
Developing on Amazon’s Cloud Standard stuff: Language Libraries Communications Web Servers Application Servers Databases Challenges: Scaling 22 June 2009 Developing Cloud Computing Applications with Java  by Shlomo Swidler Suitable for existing applications
Google’s Cloud Platform: Google App Engine 22 June 2009 Developing Cloud Computing Applications with Java  by Shlomo Swidler Platform-as-a-Service Language Python Java Storage JDO or JPA or Datastore APIs User Accounts Email Image Transformation Memcached Cron jobs
Google Dashboard Google Administration Console 22 June 2009 Developing Cloud Computing Applications with Java  by Shlomo Swidler
Developing on Google’s Cloud Easy stuff: Scaling Challenges: Language Libraries Communications Data Storage 22 June 2009 Developing Cloud Computing Applications with Java  by Shlomo Swidler Suitable for new, lighter-weight applications
Application Development Challenges Posed by the Cloud Deploying to the Cloud Designing for Scalability Web Tier Application Tier Database Tier 22 June 2009 Developing Cloud Computing Applications with Java  by Shlomo Swidler
Application Development Challenges Posed by the Cloud Deploying to the Cloud Designing for Scalability Web Tier Application Tier Database Tier 22 June 2009 Developing Cloud Computing Applications with Java  by Shlomo Swidler
Deploying to the Cloud IaaS platforms Mostly the same as traditional deployment PaaS & SaaS platforms Custom procedures Custom configurations Custom tools Google App Engine: Eclipse plug-in 22 June 2009 Developing Cloud Computing Applications with Java  by Shlomo Swidler
Deploying an Application to Google App Engine 22 June 2009 Developing Cloud Computing Applications with Java  by Shlomo Swidler
Designing the Application Tier for Scalability 22 June 2009 Developing Cloud Computing Applications with Java  by Shlomo Swidler
Designing the Application Tier for Scalability Make sure your Storage Tier is optimized Optimize database queries Use in-memory caching Parallelize operations Use concurrent threads Use the Service Pools design pattern 22 June 2009 Developing Cloud Computing Applications with Java  by Shlomo Swidler
Parallelize with Concurrent Threads Motivation Allow long-running tasks to proceed without impacting performance Java offers the  java.util.concurrent  package Executor  interface Future<T>  interface 22 June 2009 Developing Cloud Computing Applications with Java  by Shlomo Swidler
java.util.concurrent  Example: In-Memory Cache Existing implementations such as memcached Cache shared by all application instances Access is via the network Application requests an  Object  from the cache Time until response is received can vary True of any network operation Don’t let application code wait… 22 June 2009 Developing Cloud Computing Applications with Java  by Shlomo Swidler
java.util.concurrent  Example: In-Memory Cache String userId =  &quot;visitor01&quot; ; String memcachedKey =  &quot;userId:&quot;  + userId +  &quot;.lastLoginDate&quot; ; Future<Date> lastLoginDateGetter = MemcachedClient. get( memcachedKey, Date. class ); // perform the rest of the request handling code here // then, at the end, get the user's last login date Date lastLoginDate =  null ; try  { lastLoginDate = lastLoginDateGetter.get(50, TimeUnit. MILLISECONDS); }  catch  (InterruptedException e) { // someone interrupted the FutureTask }  catch  (ExecutionException e) { // the FutureTask threw an exception }  catch  (TimeoutException e) { // the FutureTask didn't complete within the 50ms time limit lastLoginDateGetter.cancel( false ); } // return lastLoginDate to the presentation layer 22 June 2009 Developing Cloud Computing Applications with Java  by Shlomo Swidler
java.util.concurrent  Example: In-Memory Cache import  java.util.concurrent.Callable; import  java.util.concurrent.Executor; import  java.util.concurrent.Executors; import  java.util.concurrent.Future; import  java.util.concurrent.FutureTask; public class  MemcachedClient { private static  Executor  executor  =  Executors .newFixedThreadPool (1); public static  <T> Future<T> get(String objectKey, Class<T> type) { final  String objectKeyFinal = objectKey; FutureTask<T> getFromCacheOperation =  new  FutureTask<T>( new  Callable<T>() { public  T call() { Object networkResponse =  requestObjectOverNetwork (objectKeyFinal);  return  (T) networkResponse; } } ); executor . execute(getFromCacheOperation); return  getFromCacheOperation; } private static  Object requestObjectOverNetwork(String objectKey) { // network stuff goes in here } } 22 June 2009 Developing Cloud Computing Applications with Java  by Shlomo Swidler
Parallelize with Service Pools Motivation Allow services to scale according to demand Scale up and down 22 June 2009 Developing Cloud Computing Applications with Java  by Shlomo Swidler Request Queue Response Queue Storage
Java Service Pool for Amazon Web Services: Lifeguard Open source Apache License Version 2.0 http://code.google.com/p/lifeguard/ 22 June 2009 Developing Cloud Computing Applications with Java  by Shlomo Swidler Request Queue Response Queue Storage
Lifeguard Framework Framework provides: Message handling File handling Scaling logic 22 June 2009 Developing Cloud Computing Applications with Java  by Shlomo Swidler Request  SQS  Queue Response  SQS  Queue EC2  Instances Ingestor Listener S3  Storage Pool Mgr Config
Lifeguard Framework You provide: Ingestor Service Pool Manager Configuration 22 June 2009 Developing Cloud Computing Applications with Java  by Shlomo Swidler Request  SQS  Queue Response  SQS  Queue EC2  Instances Ingestor Listener S3  Storage Pool Mgr Config
public class  ResizeImageIngestor  extends  IngestorBase { private static final  String  ResizeImageWorkflowXML  = &quot;<Workflow>&quot;  + &quot;<Service>&quot;  + &quot;<Name>ResizeImage</Name>&quot;  + &quot;<WorkQueue>ResizeImage-input</WorkQueue>&quot;  + &quot;</Service>&quot;  + &quot;</Workflow>&quot; ; public  ResizeImageIngestor() { super ( ResizeImageIngestorWorkflowXML ); } public void  ingest(File imageFile) {  super .ingest(Collections. singletonList (imageFile)); } } 22 June 2009 Developing Cloud Computing Applications with Java  by Shlomo Swidler Ingestor Implement the Ingestor S3  Storage
public class  ResizeImageService  extends  AbstractBaseService { private static final  String  ServiceConfigXML  = &quot;<ServiceConfig>&quot;  + &quot;<ServiceName>ResizeImage</ServiceName>&quot;  + &quot;<WorkQueue>ResizeImage-input</WorkQueue>&quot;  + &quot;</ServiceConfig>&quot; ; public ResizeImageService() { super( ServiceConfigXML ); } public  List<File>  executeService(File imageFile) {  Image origImage =  new  Image(imageFile); File resizedImageFile = resizeImageToFile(origImage); return  Collections. singletonList (resizedImageFile); } } 22 June 2009 Developing Cloud Computing Applications with Java  by Shlomo Swidler Implement the Service S3  Storage
<ServicePool> <ServiceName> ResizeImage </ServiceName> <VMImage> ami-39ba5df0 </VMImage> <WorkQueue> ResizeImage-input </WorkQueue> <RampUpInterval> 1 </RampUpInterval> <RampUpDelay> 360 </RampUpDelay> <RampDownInterval> 1 </RampDownInterval> <RampDownDelay> 480 </RampDownDelay> <MinSize> 0 </MinSize> <MaxSize> 20 </MaxSize> <QueueSizeFactor> 20000 </QueueSizeFactor> </ServicePool> This configuration defines the SLA for this service That’s all there is to implement The framework does all the rest 22 June 2009 Developing Cloud Computing Applications with Java  by Shlomo Swidler Configure the Pool Manager Pool Mgr Config
Service Pool Pool of service instances dynamically scales with load 22 June 2009 Developing Cloud Computing Applications with Java  by Shlomo Swidler Request  SQS  Queue Response  SQS  Queue EC2  Instances Ingestor Listener S3  Storage Pool Mgr Config
Service Pool Pool of service instances dynamically scales with load 22 June 2009 Developing Cloud Computing Applications with Java  by Shlomo Swidler
Service Pool Multiple service pools scale independently 22 June 2009 Developing Cloud Computing Applications with Java  by Shlomo Swidler etc.
Service Pool Workloads can follow different workflows Specify the Ingestor’s XML accordingly 22 June 2009 Developing Cloud Computing Applications with Java  by Shlomo Swidler
Developing Cloud Computing Applications with Java Q&A 22 June 2009 Developing Cloud Computing Applications with Java  by Shlomo Swidler
Developing Cloud Computing Applications with Java Shlomo Swidler [email_address] Thank you! 22 June 2009 Developing Cloud Computing Applications with Java  by Shlomo Swidler

More Related Content

PPTX
Cloud Connect - OCCI & CloudAudit Standards Update
Shlomo Swidler
 
PDF
Autopilot : Securing Cloud Native Storage
SF Bay Cloud Native Open Infra Meetup
 
PPTX
Keystone Updates - Kilo Edition
OpenStack Foundation
 
PDF
Devoxx 2015 - Building the Internet of Things with Eclipse IoT
Benjamin Cabé
 
PDF
Cloud standards interoperability: status update on OCCI and CDMI implementations
Florian Feldhaus
 
PDF
Opentelemetry - From frontend to backend
Sebastian Poxhofer
 
PDF
Openstack Workshop (Networking/Storage)
Affan Syed
 
PDF
IoT gateway dream team - Eclipse Kura and Apache Camel
Henryk Konsek
 
Cloud Connect - OCCI & CloudAudit Standards Update
Shlomo Swidler
 
Autopilot : Securing Cloud Native Storage
SF Bay Cloud Native Open Infra Meetup
 
Keystone Updates - Kilo Edition
OpenStack Foundation
 
Devoxx 2015 - Building the Internet of Things with Eclipse IoT
Benjamin Cabé
 
Cloud standards interoperability: status update on OCCI and CDMI implementations
Florian Feldhaus
 
Opentelemetry - From frontend to backend
Sebastian Poxhofer
 
Openstack Workshop (Networking/Storage)
Affan Syed
 
IoT gateway dream team - Eclipse Kura and Apache Camel
Henryk Konsek
 

What's hot (20)

PDF
OpenNebula Conf 2014 | Practical experiences with OpenNebula for cloudifying ...
NETWAYS
 
PDF
"Messaging with Quarkus"
ConSol Consulting & Solutions Software GmbH
 
PDF
Introductions & CloudStack news - Giles Sirett
ShapeBlue
 
PPTX
New and cool in OSGi R7 - David Bosschaert & Carsten Ziegeler
mfrancis
 
PPTX
Cinder Updates - Liberty Edition
OpenStack Foundation
 
PPTX
OpenStack: Changing the Face of Service Delivery
Mirantis
 
PDF
Open stack architecture overview-meetup-6-6_2013
Mirantis
 
PDF
Securing Your Deployment Pipeline With Docker
Container Solutions
 
PDF
rOCCI – Providing Interoperability through OCCI 1.1 Support for OpenNebula
NETWAYS
 
PPTX
Dockerizing apps for the Deployment Platform of the Month with OSGi - David B...
mfrancis
 
PPTX
Cloud Networking - Greg Blomquist, Scott Drennan, Lokesh Jain - ManageIQ Desi...
ManageIQ
 
PDF
Openstack Pakistan intro
Affan Syed
 
PPTX
Neutron Updates - Liberty Edition
OpenStack Foundation
 
PDF
Introduction and Overview of OpenStack for IaaS
Keith Basil
 
PDF
CSEUG introduction
ShapeBlue
 
PDF
NFVO based on ManageIQ - OPNFV Summit 2016 Demo
ManageIQ
 
PPTX
All Things Open SDN, NFV and Open Daylight
Mark Hinkle
 
PDF
The service mesh management plane
LibbySchulze
 
PDF
State of the Stack v4 - OpenStack in All It's Glory
Randy Bias
 
PPTX
Modern vSphere Monitoring and Dashboard using InfluxDB, Telegraf and Grafana
InfluxData
 
OpenNebula Conf 2014 | Practical experiences with OpenNebula for cloudifying ...
NETWAYS
 
Introductions & CloudStack news - Giles Sirett
ShapeBlue
 
New and cool in OSGi R7 - David Bosschaert & Carsten Ziegeler
mfrancis
 
Cinder Updates - Liberty Edition
OpenStack Foundation
 
OpenStack: Changing the Face of Service Delivery
Mirantis
 
Open stack architecture overview-meetup-6-6_2013
Mirantis
 
Securing Your Deployment Pipeline With Docker
Container Solutions
 
rOCCI – Providing Interoperability through OCCI 1.1 Support for OpenNebula
NETWAYS
 
Dockerizing apps for the Deployment Platform of the Month with OSGi - David B...
mfrancis
 
Cloud Networking - Greg Blomquist, Scott Drennan, Lokesh Jain - ManageIQ Desi...
ManageIQ
 
Openstack Pakistan intro
Affan Syed
 
Neutron Updates - Liberty Edition
OpenStack Foundation
 
Introduction and Overview of OpenStack for IaaS
Keith Basil
 
CSEUG introduction
ShapeBlue
 
NFVO based on ManageIQ - OPNFV Summit 2016 Demo
ManageIQ
 
All Things Open SDN, NFV and Open Daylight
Mark Hinkle
 
The service mesh management plane
LibbySchulze
 
State of the Stack v4 - OpenStack in All It's Glory
Randy Bias
 
Modern vSphere Monitoring and Dashboard using InfluxDB, Telegraf and Grafana
InfluxData
 
Ad

Viewers also liked (20)

PDF
The case for social business small
Purple Spinnaker
 
PDF
Proyectos de casas - Servicio de Arquitectura
Oscar Salas Aguilar
 
PDF
Rsf 2016 part-2-en
Tel-Aviv Journalists' Association
 
PDF
CONAPREF 2016
RC Consulting
 
PPTX
pantalla de internet exploer
Franklin Ch
 
PDF
Les économies d'énergie au quotidien (conférence du 15 novembre 2012)
Centre Urbain - Stadswinkel
 
PDF
Sin garantias
Mayra Salazar
 
PDF
Family office elite magazine Spring 15
Ty Murphy
 
PDF
Solicitud Beca Fundación Mapfre
Cext
 
PDF
Hsp70 and Hsp90
Avin Snyder
 
PDF
Capacidad de degradación xenobióticas por microorganismos aislados de
luismontoyabiologia
 
PPS
Caminos
marisollopezg
 
PDF
Second-life codigo SL
HMC6999
 
DOCX
Universidad pedagógica nacional tarea juank
Miriam Ortiz
 
PDF
question and answers for IIT JEE
jairameshbabu
 
PDF
"La emoción en el proceso creativo"
Universidad del Pacífico
 
PDF
Ficheroasperger 131029134514-phpapp01-131111064300-phpapp01
M CARMEN MARCO GARCIA
 
PDF
Evolución en el marketing, de la emoción a la inteligencia
Meritxell Castells
 
PDF
Using Goals, Goal Metrics and Rollup Queries in Microsoft Dynamics CRM 2011
C5 Insight
 
PDF
Master Restauro
Alejandro de la Rosa Lora
 
The case for social business small
Purple Spinnaker
 
Proyectos de casas - Servicio de Arquitectura
Oscar Salas Aguilar
 
CONAPREF 2016
RC Consulting
 
pantalla de internet exploer
Franklin Ch
 
Les économies d'énergie au quotidien (conférence du 15 novembre 2012)
Centre Urbain - Stadswinkel
 
Sin garantias
Mayra Salazar
 
Family office elite magazine Spring 15
Ty Murphy
 
Solicitud Beca Fundación Mapfre
Cext
 
Hsp70 and Hsp90
Avin Snyder
 
Capacidad de degradación xenobióticas por microorganismos aislados de
luismontoyabiologia
 
Caminos
marisollopezg
 
Second-life codigo SL
HMC6999
 
Universidad pedagógica nacional tarea juank
Miriam Ortiz
 
question and answers for IIT JEE
jairameshbabu
 
"La emoción en el proceso creativo"
Universidad del Pacífico
 
Ficheroasperger 131029134514-phpapp01-131111064300-phpapp01
M CARMEN MARCO GARCIA
 
Evolución en el marketing, de la emoción a la inteligencia
Meritxell Castells
 
Using Goals, Goal Metrics and Rollup Queries in Microsoft Dynamics CRM 2011
C5 Insight
 
Master Restauro
Alejandro de la Rosa Lora
 
Ad

Similar to Java Tech Day 2009 - Developing Cloud Computing Applications With Java (20)

PPTX
Cloud Study Jam_ Google Cloud Essentials Event Slides.pptx
AkashSrivastava519152
 
PPTX
Microsoft, java and you!
George Adams
 
PPT
1.INTRODUCTION TO JAVA_2022 MB.ppt .
happycocoman
 
PPTX
Final
Sri vidhya k
 
PDF
MvvmCross Introduction
Stuart Lodge
 
PDF
MvvmCross Seminar
Xamarin
 
PDF
Scale with a smile with Google Cloud Platform At DevConTLV (June 2014)
Ido Green
 
PDF
No Compromise - Better, Stronger, Faster Java in the Cloud
All Things Open
 
PPTX
File Repository on GAE
lynneblue
 
DOC
Wipro-Projects
Lakshmi Sreejith
 
PDF
code lab live Google Cloud Endpoints [DevFest 2015 Bari]
Nicola Policoro
 
PDF
Introduction to Micronaut at Oracle CodeOne 2018
graemerocher
 
PPTX
Google Cloud Platform
Francesco Marchitelli
 
PDF
Google Cloud - Scale With A Smile (Dec 2014)
Ido Green
 
PDF
TechTalk_Cloud Performance Testing_0.6
Sravanthi N
 
PDF
Cloudsim_openstack_aws_lastunit_bsccs_cloud computing
MrSameerSTathare
 
PPTX
Immutable infrastructure tsap_v2
Volodymyr Tsap
 
PDF
Cloud-Computing-Course-Description-and-Syllabus-Spring2020.pdf
KanagarajSubramani1
 
PDF
Max De Jong: Avoiding Common Pitfalls with Hosting Machine Learning Models
AWS Chicago
 
PPTX
GCCP Session 2.pptx
DSCIITPatna
 
Cloud Study Jam_ Google Cloud Essentials Event Slides.pptx
AkashSrivastava519152
 
Microsoft, java and you!
George Adams
 
1.INTRODUCTION TO JAVA_2022 MB.ppt .
happycocoman
 
MvvmCross Introduction
Stuart Lodge
 
MvvmCross Seminar
Xamarin
 
Scale with a smile with Google Cloud Platform At DevConTLV (June 2014)
Ido Green
 
No Compromise - Better, Stronger, Faster Java in the Cloud
All Things Open
 
File Repository on GAE
lynneblue
 
Wipro-Projects
Lakshmi Sreejith
 
code lab live Google Cloud Endpoints [DevFest 2015 Bari]
Nicola Policoro
 
Introduction to Micronaut at Oracle CodeOne 2018
graemerocher
 
Google Cloud Platform
Francesco Marchitelli
 
Google Cloud - Scale With A Smile (Dec 2014)
Ido Green
 
TechTalk_Cloud Performance Testing_0.6
Sravanthi N
 
Cloudsim_openstack_aws_lastunit_bsccs_cloud computing
MrSameerSTathare
 
Immutable infrastructure tsap_v2
Volodymyr Tsap
 
Cloud-Computing-Course-Description-and-Syllabus-Spring2020.pdf
KanagarajSubramani1
 
Max De Jong: Avoiding Common Pitfalls with Hosting Machine Learning Models
AWS Chicago
 
GCCP Session 2.pptx
DSCIITPatna
 

Recently uploaded (20)

PPTX
AI and Robotics for Human Well-being.pptx
JAYMIN SUTHAR
 
PDF
How Open Source Changed My Career by abdelrahman ismail
a0m0rajab1
 
PDF
Structs to JSON: How Go Powers REST APIs
Emily Achieng
 
PPTX
Coupa-Overview _Assumptions presentation
annapureddyn
 
PPTX
How to Build a Scalable Micro-Investing Platform in 2025 - A Founder’s Guide ...
Third Rock Techkno
 
PDF
Trying to figure out MCP by actually building an app from scratch with open s...
Julien SIMON
 
PDF
A Day in the Life of Location Data - Turning Where into How.pdf
Precisely
 
PPTX
OA presentation.pptx OA presentation.pptx
pateldhruv002338
 
PDF
Advances in Ultra High Voltage (UHV) Transmission and Distribution Systems.pdf
Nabajyoti Banik
 
PPTX
Comunidade Salesforce São Paulo - Desmistificando o Omnistudio (Vlocity)
Francisco Vieira Júnior
 
PPTX
What-is-the-World-Wide-Web -- Introduction
tonifi9488
 
PDF
Data_Analytics_vs_Data_Science_vs_BI_by_CA_Suvidha_Chaplot.pdf
CA Suvidha Chaplot
 
PDF
A Strategic Analysis of the MVNO Wave in Emerging Markets.pdf
IPLOOK Networks
 
PDF
This slide provides an overview Technology
mineshkharadi333
 
PDF
Event Presentation Google Cloud Next Extended 2025
minhtrietgect
 
PPTX
ChatGPT's Deck on The Enduring Legacy of Fax Machines
Greg Swan
 
PDF
Unlocking the Future- AI Agents Meet Oracle Database 23ai - AIOUG Yatra 2025.pdf
Sandesh Rao
 
PDF
Orbitly Pitch Deck|A Mission-Driven Platform for Side Project Collaboration (...
zz41354899
 
PDF
Presentation about Hardware and Software in Computer
snehamodhawadiya
 
PDF
REPORT: Heating appliances market in Poland 2024
SPIUG
 
AI and Robotics for Human Well-being.pptx
JAYMIN SUTHAR
 
How Open Source Changed My Career by abdelrahman ismail
a0m0rajab1
 
Structs to JSON: How Go Powers REST APIs
Emily Achieng
 
Coupa-Overview _Assumptions presentation
annapureddyn
 
How to Build a Scalable Micro-Investing Platform in 2025 - A Founder’s Guide ...
Third Rock Techkno
 
Trying to figure out MCP by actually building an app from scratch with open s...
Julien SIMON
 
A Day in the Life of Location Data - Turning Where into How.pdf
Precisely
 
OA presentation.pptx OA presentation.pptx
pateldhruv002338
 
Advances in Ultra High Voltage (UHV) Transmission and Distribution Systems.pdf
Nabajyoti Banik
 
Comunidade Salesforce São Paulo - Desmistificando o Omnistudio (Vlocity)
Francisco Vieira Júnior
 
What-is-the-World-Wide-Web -- Introduction
tonifi9488
 
Data_Analytics_vs_Data_Science_vs_BI_by_CA_Suvidha_Chaplot.pdf
CA Suvidha Chaplot
 
A Strategic Analysis of the MVNO Wave in Emerging Markets.pdf
IPLOOK Networks
 
This slide provides an overview Technology
mineshkharadi333
 
Event Presentation Google Cloud Next Extended 2025
minhtrietgect
 
ChatGPT's Deck on The Enduring Legacy of Fax Machines
Greg Swan
 
Unlocking the Future- AI Agents Meet Oracle Database 23ai - AIOUG Yatra 2025.pdf
Sandesh Rao
 
Orbitly Pitch Deck|A Mission-Driven Platform for Side Project Collaboration (...
zz41354899
 
Presentation about Hardware and Software in Computer
snehamodhawadiya
 
REPORT: Heating appliances market in Poland 2024
SPIUG
 

Java Tech Day 2009 - Developing Cloud Computing Applications With Java

  • 1. Developing Cloud Computing Applications with Java Shlomo Swidler CTO, MyDrifts.com [email_address]
  • 2. Developing Cloud Computing Applications with Java Overview of Cloud Computing Amazon’s Cloud Platform Google’s Cloud Platform Application Development Challenges Posed by the Cloud… … and Java Solutions 22 June 2009 Developing Cloud Computing Applications with Java by Shlomo Swidler
  • 3. About Me CTO & co-Founder Music marketing on social networks Patent-pending targeting technology Java, MySQL, auto-scaling & cloud-based Active in the Cloud Computing community Open Cloud Computing Interface Working Group (an Open Grid Forum initiative) participant Contributor to Open Source cloud & Java projects 22 June 2009 Developing Cloud Computing Applications with Java by Shlomo Swidler
  • 4. Cloud Computing Is… A style of computing in which dynamically scalable and often virtualized resources are provided as a service over the Internet. Users need not have knowledge of, expertise in, or control over the technology infrastructure in the “cloud” that supports them. – Wikipedia 22 June 2009 Developing Cloud Computing Applications with Java by Shlomo Swidler
  • 5. Cloud Computing Is… A style of computing in which dynamically scalable and often virtualized resources are provided as a service over the Internet. Users need not have knowledge of, expertise in, or control over the technology infrastructure in the “cloud” that supports them. – Wikipedia 22 June 2009 Developing Cloud Computing Applications with Java by Shlomo Swidler
  • 6. Cloud Computing Is… 22 June 2009 Developing Cloud Computing Applications with Java by Shlomo Swidler
  • 7. Cloud Computing Is… 22 June 2009 Developing Cloud Computing Applications with Java by Shlomo Swidler
  • 8. Cloud Computing Is… Computing Resources As a Service Pay-as-you-go or Subscription 22 June 2009 Developing Cloud Computing Applications with Java by Shlomo Swidler Infrastructure Platform Software Processor LAMP Stack Email Memory JVM CRM System Storage Python VM ERP System Network MapReduce SCM System
  • 9. Advantages of Cloud Computing From a Developer’s Perspective: Pay-as-you-go “utility computing” Saves time Saves $$$ On-demand resource allocation & release Scalability More on this later 22 June 2009 Developing Cloud Computing Applications with Java by Shlomo Swidler
  • 10. Risks of Cloud Computing Security Who else has access to “your” resources ? Recovery How easy is it ? Provider lock-in 22 June 2009 Developing Cloud Computing Applications with Java by Shlomo Swidler
  • 11. Amazon’s Cloud Platform: Amazon Web Services Infrastructure-as-a-Service Processors & Memory Elastic Compute Cloud “EC2” Storage Simple Storage Service “S3” Elastic Block Store “EBS” SimpleDB database 22 June 2009 Developing Cloud Computing Applications with Java by Shlomo Swidler Network Content Delivery Network CloudFront Messaging Simple Queue Service “SQS”
  • 12. Amazon Dashboard ElasticFox Firefox plugin 22 June 2009 Developing Cloud Computing Applications with Java by Shlomo Swidler
  • 13. Developing on Amazon’s Cloud Standard stuff: Language Libraries Communications Web Servers Application Servers Databases Challenges: Scaling 22 June 2009 Developing Cloud Computing Applications with Java by Shlomo Swidler Suitable for existing applications
  • 14. Google’s Cloud Platform: Google App Engine 22 June 2009 Developing Cloud Computing Applications with Java by Shlomo Swidler Platform-as-a-Service Language Python Java Storage JDO or JPA or Datastore APIs User Accounts Email Image Transformation Memcached Cron jobs
  • 15. Google Dashboard Google Administration Console 22 June 2009 Developing Cloud Computing Applications with Java by Shlomo Swidler
  • 16. Developing on Google’s Cloud Easy stuff: Scaling Challenges: Language Libraries Communications Data Storage 22 June 2009 Developing Cloud Computing Applications with Java by Shlomo Swidler Suitable for new, lighter-weight applications
  • 17. Application Development Challenges Posed by the Cloud Deploying to the Cloud Designing for Scalability Web Tier Application Tier Database Tier 22 June 2009 Developing Cloud Computing Applications with Java by Shlomo Swidler
  • 18. Application Development Challenges Posed by the Cloud Deploying to the Cloud Designing for Scalability Web Tier Application Tier Database Tier 22 June 2009 Developing Cloud Computing Applications with Java by Shlomo Swidler
  • 19. Deploying to the Cloud IaaS platforms Mostly the same as traditional deployment PaaS & SaaS platforms Custom procedures Custom configurations Custom tools Google App Engine: Eclipse plug-in 22 June 2009 Developing Cloud Computing Applications with Java by Shlomo Swidler
  • 20. Deploying an Application to Google App Engine 22 June 2009 Developing Cloud Computing Applications with Java by Shlomo Swidler
  • 21. Designing the Application Tier for Scalability 22 June 2009 Developing Cloud Computing Applications with Java by Shlomo Swidler
  • 22. Designing the Application Tier for Scalability Make sure your Storage Tier is optimized Optimize database queries Use in-memory caching Parallelize operations Use concurrent threads Use the Service Pools design pattern 22 June 2009 Developing Cloud Computing Applications with Java by Shlomo Swidler
  • 23. Parallelize with Concurrent Threads Motivation Allow long-running tasks to proceed without impacting performance Java offers the java.util.concurrent package Executor interface Future<T> interface 22 June 2009 Developing Cloud Computing Applications with Java by Shlomo Swidler
  • 24. java.util.concurrent Example: In-Memory Cache Existing implementations such as memcached Cache shared by all application instances Access is via the network Application requests an Object from the cache Time until response is received can vary True of any network operation Don’t let application code wait… 22 June 2009 Developing Cloud Computing Applications with Java by Shlomo Swidler
  • 25. java.util.concurrent Example: In-Memory Cache String userId = &quot;visitor01&quot; ; String memcachedKey = &quot;userId:&quot; + userId + &quot;.lastLoginDate&quot; ; Future<Date> lastLoginDateGetter = MemcachedClient. get( memcachedKey, Date. class ); // perform the rest of the request handling code here // then, at the end, get the user's last login date Date lastLoginDate = null ; try { lastLoginDate = lastLoginDateGetter.get(50, TimeUnit. MILLISECONDS); } catch (InterruptedException e) { // someone interrupted the FutureTask } catch (ExecutionException e) { // the FutureTask threw an exception } catch (TimeoutException e) { // the FutureTask didn't complete within the 50ms time limit lastLoginDateGetter.cancel( false ); } // return lastLoginDate to the presentation layer 22 June 2009 Developing Cloud Computing Applications with Java by Shlomo Swidler
  • 26. java.util.concurrent Example: In-Memory Cache import java.util.concurrent.Callable; import java.util.concurrent.Executor; import java.util.concurrent.Executors; import java.util.concurrent.Future; import java.util.concurrent.FutureTask; public class MemcachedClient { private static Executor executor = Executors .newFixedThreadPool (1); public static <T> Future<T> get(String objectKey, Class<T> type) { final String objectKeyFinal = objectKey; FutureTask<T> getFromCacheOperation = new FutureTask<T>( new Callable<T>() { public T call() { Object networkResponse = requestObjectOverNetwork (objectKeyFinal); return (T) networkResponse; } } ); executor . execute(getFromCacheOperation); return getFromCacheOperation; } private static Object requestObjectOverNetwork(String objectKey) { // network stuff goes in here } } 22 June 2009 Developing Cloud Computing Applications with Java by Shlomo Swidler
  • 27. Parallelize with Service Pools Motivation Allow services to scale according to demand Scale up and down 22 June 2009 Developing Cloud Computing Applications with Java by Shlomo Swidler Request Queue Response Queue Storage
  • 28. Java Service Pool for Amazon Web Services: Lifeguard Open source Apache License Version 2.0 http://code.google.com/p/lifeguard/ 22 June 2009 Developing Cloud Computing Applications with Java by Shlomo Swidler Request Queue Response Queue Storage
  • 29. Lifeguard Framework Framework provides: Message handling File handling Scaling logic 22 June 2009 Developing Cloud Computing Applications with Java by Shlomo Swidler Request SQS Queue Response SQS Queue EC2 Instances Ingestor Listener S3  Storage Pool Mgr Config
  • 30. Lifeguard Framework You provide: Ingestor Service Pool Manager Configuration 22 June 2009 Developing Cloud Computing Applications with Java by Shlomo Swidler Request SQS Queue Response SQS Queue EC2 Instances Ingestor Listener S3  Storage Pool Mgr Config
  • 31. public class ResizeImageIngestor extends IngestorBase { private static final String ResizeImageWorkflowXML = &quot;<Workflow>&quot; + &quot;<Service>&quot; + &quot;<Name>ResizeImage</Name>&quot; + &quot;<WorkQueue>ResizeImage-input</WorkQueue>&quot; + &quot;</Service>&quot; + &quot;</Workflow>&quot; ; public ResizeImageIngestor() { super ( ResizeImageIngestorWorkflowXML ); } public void ingest(File imageFile) { super .ingest(Collections. singletonList (imageFile)); } } 22 June 2009 Developing Cloud Computing Applications with Java by Shlomo Swidler Ingestor Implement the Ingestor S3  Storage
  • 32. public class ResizeImageService extends AbstractBaseService { private static final String ServiceConfigXML = &quot;<ServiceConfig>&quot; + &quot;<ServiceName>ResizeImage</ServiceName>&quot; + &quot;<WorkQueue>ResizeImage-input</WorkQueue>&quot; + &quot;</ServiceConfig>&quot; ; public ResizeImageService() { super( ServiceConfigXML ); } public List<File> executeService(File imageFile) { Image origImage = new Image(imageFile); File resizedImageFile = resizeImageToFile(origImage); return Collections. singletonList (resizedImageFile); } } 22 June 2009 Developing Cloud Computing Applications with Java by Shlomo Swidler Implement the Service S3  Storage
  • 33. <ServicePool> <ServiceName> ResizeImage </ServiceName> <VMImage> ami-39ba5df0 </VMImage> <WorkQueue> ResizeImage-input </WorkQueue> <RampUpInterval> 1 </RampUpInterval> <RampUpDelay> 360 </RampUpDelay> <RampDownInterval> 1 </RampDownInterval> <RampDownDelay> 480 </RampDownDelay> <MinSize> 0 </MinSize> <MaxSize> 20 </MaxSize> <QueueSizeFactor> 20000 </QueueSizeFactor> </ServicePool> This configuration defines the SLA for this service That’s all there is to implement The framework does all the rest 22 June 2009 Developing Cloud Computing Applications with Java by Shlomo Swidler Configure the Pool Manager Pool Mgr Config
  • 34. Service Pool Pool of service instances dynamically scales with load 22 June 2009 Developing Cloud Computing Applications with Java by Shlomo Swidler Request SQS Queue Response SQS Queue EC2 Instances Ingestor Listener S3  Storage Pool Mgr Config
  • 35. Service Pool Pool of service instances dynamically scales with load 22 June 2009 Developing Cloud Computing Applications with Java by Shlomo Swidler
  • 36. Service Pool Multiple service pools scale independently 22 June 2009 Developing Cloud Computing Applications with Java by Shlomo Swidler etc.
  • 37. Service Pool Workloads can follow different workflows Specify the Ingestor’s XML accordingly 22 June 2009 Developing Cloud Computing Applications with Java by Shlomo Swidler
  • 38. Developing Cloud Computing Applications with Java Q&A 22 June 2009 Developing Cloud Computing Applications with Java by Shlomo Swidler
  • 39. Developing Cloud Computing Applications with Java Shlomo Swidler [email_address] Thank you! 22 June 2009 Developing Cloud Computing Applications with Java by Shlomo Swidler