SlideShare a Scribd company logo
Riding the Edge with Ember.js
Houston.js
June 2013
Who am I?
• Aaron Ortbals
• Full-stack developer at Chaione
• @aaronortbals
• me@aaronortbals.com
What is Ember.js?
A client-side javascript framework used for building complex web
applications
The Creators
• Tom Dale @tomdale
• worked on Sproutcore framework at Apple and the MobileMe/iCloud
applications
• Yehuda Katz @wykats
• rails core contributor
• heavily involved in open source
• Ember core team is 8 strong
Tilde
• Tom andYehuda co-founded Tilde, a product & consultancy company
with Carl Lerche, and Leah Silber
• Heavily focused on open source
• Team members contributing to jQuery, Rails, Ember, Bundler...
• Tom andYehuda met through Sproutcore and a startup called Strobe
Picking a Framework
(and some history)
Circa 2005...
What was the web was like in 2005?
• IE 6
• jQuery was coming next year
• And along came server-side web application frameworks like Ruby on
Rails and Django
“No one wants a megabyte of
sprinkles.”
Provide a better experience with JS
• Many studies have shown that latency can significantly impact usage
• You can cache but page reloads require re-parsing, executing CSS & JS,
etc...
• To improve latencies, many sites have moved to Single Page Applications
Give us a backbone
• In late 2010, when Backbone.js was released, a lightbulb
went off in a lot of people’s heads
• It’s fast, light-weight, and very easy to jump into
• But what if you want (need?) more?
The Rise of the SPA
So Why Ember?
The Ember Philosophy
• Ember favors convention over configuration
• Ember forces you to do things correctly from the start
• When you use it you might notice similarities to Cocoa and Rails
Conventions
• Strong conventions are really meant to help when you are a team of
more than one
• When a team member adds a new feature, it shouldn’t break old
features
Designing the Ember API
• The team was very focused on getting the API correct pre-1.0
• Led to breaking API changes which pissed people off
• It is all about taking use cases and constraints and designing an API
that will work the best given those constraints
Why did I pick it?
• I really like the structure (especially for large apps)
• The core team is very good and I like the roadmap
• I’ve been highly productive after I crossed the chasm
• While definitely not required, Ember works very well with Rails
Benefits
• Fully featured
• They really care about URLs
• Good community, vastly improving docs
• Once you grok, developer productivity can be very high
Disadvantages
• Still young, but we are close to a 1.0 release (1.0-RC6)
• Backbone,Angular, and others are more mature, less risk
• Development of Ember-testing is trailing the API
• Ember-data is not 1.0 (what is Ember-data?)
What’s Coming for Ember?
• Focused on documentation and the 1.0 release
• Continued work on Ember-testing and Ember-data
• Working with the standard’s bodies to plan for and incorporate the
next generation of JS
• Traditional SPAs do all their rendering on the client
• What about indexing?
• Hybrid rendering is the future
• Both the client and the server can render the page
• Ember has an up-and-coming solution to this with Handlebars
The Problem
So how do I use it already?
{{}}
Fundamentals
• Templates
• Views
• Models
• Router
• Controllers
Templates
• Ember uses Handlebars which wraps {{things}} in curly braces
• You can do things like
{{#linkTo post}}Welcome to Ember!{{/linkTo}}
• or
<ul>
      {{#each model}}
      <li>
        {{partial 'posts/show'}}
      </li>
      {{/each}}
    </ul>
Template Helpers
Build a helper when you want to present data in a specific way.
Handlebars.registerHelper 'fullName', ->
  person.firstName + " " + person.lastName
<span class="name">{{fullName aaron}}</span>
Use it like:
Views
• A view translates events in your template to events that have meaning
to your application
• Typically only written in cases where you want to handle complex user
events or create reusable components
click Delete Controller Router
deleteItem
is deleteItem here?
ChildViews
album_view.js.coffee
App.AlbumView = Ember.View.extend
  templateName: 'album'
 
  title:  "Animals"
artist:  "Pink Floyd"
 
  detailsView: Ember.View.extend
    templateName: 'details'
 
    year:   1977
    genre:  "Progressive Rock"
<h1>
{{view.title}} by {{view.artist}}
</h1>
{{view view.detailsView}}
<div class="year">
From {{view.year}}
</div>
<div class="genre">
In {{view.genre}}
</div>
album.handlebars
details.handlebars
Ember Data
• Ember Data is a library that is designed to:
• make it easy to retrieve records from a server
• make changes in the browser
• save those changes back to the server
• Think of it as providing facilities similar to what an ORM does on the
server
• Works with Rails out of the box if it follows the
active_model_serializers gem’s conventions
Getting Setup with Ember Data
• store.js.coffee
• Remember, Ember Data is pre-1.0, so watch for breaking changes
App.Store = DS.Store.extend
  revision: 12
Models
• Models work well with Ember Data, but can use any persistence layer
• A model looks like this:
• Find a user:
App.User = DS.Model.extend
  firstName:  DS.attr('string')
  lastName:   DS.attr('string')
  email:      DS.attr('string')
  username:   DS.attr('string')
user = App.User.find({ name: "Aaron" })
Relationships
• A model can have relationships. Look familiar?
App.Request = DS.Model.extend
  name:       DS.attr('string')
  user:       DS.belongsTo('App.User')
  filled:     DS.attr('boolean')
  createdAt:  DS.attr('date')
  updatedAt:  DS.attr('date')
Ember Data Alternatives
• Ember-Model - extracted from a live application by core-team
member Erik Bryn
• Ember-Resource - from Zendesk
• Others: Ember-RESTless, Emu, Ember-REST, JQuery directly
Router
• Ember.js represents each of the possible states in your application as a
URL
• Or the user hits the back button
• Avoid losing state when the user uses traditional navigation
View
interacts event
Wiring up some routes
• Static routes
• Resource routes
• Nested resources
• Use the browser history
API (no hash bangs!)
App.Router.map (match) ->
  @route 'app', { path: '/'}
  @route 'login'
  @route 'signup'
 
  @resource 'users', ->
    @route 'new'
    @resource 'user',
      path: ':user_id'
 
  @resource 'requests', ->
    @route 'new'
    @resource 'request',
      path: ':request_id'
 
# Use the browser history API
App.Router.reopen
   location: 'history'
A Route
• Each route has a route handler
• It finds the model, hands it to the controller, then renders a bound
template
App.UsersRoute = Ember.Route.extend
  model: ->
    App.User.find()
 
App.UsersNewRoute = Ember.Route.extend
  model: ->
    App.User.createRecord()
 
App.SignupRoute = App.UsersNewRoute
Controllers
• Models have properties that are saved to the server, while controllers
have properties that don’t need to be saved to the server
• In other words, anything that is specific to the current session
App.UserController = Ember.ObjectController.extend
  delete: ->
    if (window.confirm "Are you sure you want to delete this user?")
      @get('content').deleteRecord()
      @get('store').commit()
      @transitionToRoute('users')
An Example User Controller:
Coupling
Template
Controller
Model
Templates know about controllers, controllers know about models...
But not the reverse
Other stuff to check out
Ember Inspector
Yehuda is working on an extension for Chrome that exposes what is
happening in Ember. Check it out!
Who is using Ember?
Open Source!
Credits & Resources
• Emberjs.com
• Tilde.io
• Thoughbot Episode #53
• Herding Code #169
• Ember Weekly
• Embrace Javascript
• Emberwatch
So what does a structured app
look like?

More Related Content

PDF
ADF Mobile: 10 Things you don't get from the developers guide
KEY
RESTful Api practices Rails 3
PDF
PLAT-8 Spring Web Scripts and Spring Surf
PDF
Service-Oriented Design and Implement with Rails3
PDF
PLAT-7 Spring Web Scripts and Spring Surf
PDF
Flexible UI Components for a Multi-Framework World
PDF
 Active Storage - Modern File Storage? 
PDF
API Prefetching - HTML5DevConf - Oct. 21, 2014
ADF Mobile: 10 Things you don't get from the developers guide
RESTful Api practices Rails 3
PLAT-8 Spring Web Scripts and Spring Surf
Service-Oriented Design and Implement with Rails3
PLAT-7 Spring Web Scripts and Spring Surf
Flexible UI Components for a Multi-Framework World
 Active Storage - Modern File Storage? 
API Prefetching - HTML5DevConf - Oct. 21, 2014

What's hot (20)

PDF
Ember presentation
PDF
Modern websites in 2020 and Joomla
PDF
From Ruby on Rails to RubyMotion - Writing your First iOS App with RubyMotion
PPTX
SharePoint Saturday Lisbon 2017 - SharePoint Framework, Angular & Azure Funct...
PPTX
Developing Complex WordPress Sites without Fear of Failure (with MVC)
KEY
Rails as iOS Application Backend
PPTX
Best Practices for Building WordPress Applications
PDF
A Day of REST
PDF
Modern javascript
PDF
Creating an Effective Mobile API
PDF
FITC - Exploring Art-Directed Responsive Images
PPTX
JSLink for ITPros - SharePoint Saturday Jersey
PDF
Cross-Platform Desktop Apps with Electron (JSConf UY)
PPTX
How NOT to get lost in the current JavaScript landscape
PDF
Cross-Platform Desktop Apps with Electron (Condensed Version)
PDF
Best Practices for WordPress
KEY
Plone api
PDF
Ember,js: Hipster Hamster Framework
PPTX
Managing SharePoint Anywhere with Windows PowerShell
PPTX
Mobile native-hacks
Ember presentation
Modern websites in 2020 and Joomla
From Ruby on Rails to RubyMotion - Writing your First iOS App with RubyMotion
SharePoint Saturday Lisbon 2017 - SharePoint Framework, Angular & Azure Funct...
Developing Complex WordPress Sites without Fear of Failure (with MVC)
Rails as iOS Application Backend
Best Practices for Building WordPress Applications
A Day of REST
Modern javascript
Creating an Effective Mobile API
FITC - Exploring Art-Directed Responsive Images
JSLink for ITPros - SharePoint Saturday Jersey
Cross-Platform Desktop Apps with Electron (JSConf UY)
How NOT to get lost in the current JavaScript landscape
Cross-Platform Desktop Apps with Electron (Condensed Version)
Best Practices for WordPress
Plone api
Ember,js: Hipster Hamster Framework
Managing SharePoint Anywhere with Windows PowerShell
Mobile native-hacks
Ad

Viewers also liked (6)

PDF
Rails & Backbone.js
PDF
PPTX
Segmentry: Developing for Salesforce Lightning and Classic using ReactJS and ...
PPTX
Intoduction to Angularjs
PPTX
Javascript Frameworks Comparison - Angular, Knockout, Ember and Backbone
PPTX
Mouse model: Pros & Cons
Rails & Backbone.js
Segmentry: Developing for Salesforce Lightning and Classic using ReactJS and ...
Intoduction to Angularjs
Javascript Frameworks Comparison - Angular, Knockout, Ember and Backbone
Mouse model: Pros & Cons
Ad

Similar to Riding the Edge with Ember.js (20)

PDF
A Beginner's Guide to Ember
PPT
Ember.js: Jump Start
PDF
Workshop 16: EmberJS Parte I
PPTX
Introduction to Ember.js
PPTX
Introduction to Ember.js
PPTX
Ember - introduction
PDF
Create an application with ember
PPTX
Getting into ember.js
ODP
Introduction to ember js
PDF
Intro to ember.js
PDF
Ember.js Meetup Brussels 31/10/2013
PDF
Ember vs Backbone
PDF
Intro to emberjs
PPTX
Emberjs and ASP.NET
PPTX
Intro to EmberJS
PDF
Viliam Elischer - Ember.js - Jak zatopit a neshořet!
PDF
Comparing Hot JavaScript Frameworks: AngularJS, Ember.js and React.js - Sprin...
PDF
Pilot Tech Talk #9 — Ember.js: Productivity without the fatigue by Jacek Gala...
PDF
The Ember.js Framework - Everything You Need To Know
PDF
Stackup New Languages Talk: Ember is for Everybody
A Beginner's Guide to Ember
Ember.js: Jump Start
Workshop 16: EmberJS Parte I
Introduction to Ember.js
Introduction to Ember.js
Ember - introduction
Create an application with ember
Getting into ember.js
Introduction to ember js
Intro to ember.js
Ember.js Meetup Brussels 31/10/2013
Ember vs Backbone
Intro to emberjs
Emberjs and ASP.NET
Intro to EmberJS
Viliam Elischer - Ember.js - Jak zatopit a neshořet!
Comparing Hot JavaScript Frameworks: AngularJS, Ember.js and React.js - Sprin...
Pilot Tech Talk #9 — Ember.js: Productivity without the fatigue by Jacek Gala...
The Ember.js Framework - Everything You Need To Know
Stackup New Languages Talk: Ember is for Everybody

Recently uploaded (20)

PPTX
sap open course for s4hana steps from ECC to s4
PDF
Spectral efficient network and resource selection model in 5G networks
PDF
Peak of Data & AI Encore- AI for Metadata and Smarter Workflows
DOCX
The AUB Centre for AI in Media Proposal.docx
PDF
Blue Purple Modern Animated Computer Science Presentation.pdf.pdf
PDF
MIND Revenue Release Quarter 2 2025 Press Release
PDF
TokAI - TikTok AI Agent : The First AI Application That Analyzes 10,000+ Vira...
PPTX
Big Data Technologies - Introduction.pptx
PDF
Architecting across the Boundaries of two Complex Domains - Healthcare & Tech...
PDF
Per capita expenditure prediction using model stacking based on satellite ima...
PDF
Reach Out and Touch Someone: Haptics and Empathic Computing
PPTX
Spectroscopy.pptx food analysis technology
PDF
Network Security Unit 5.pdf for BCA BBA.
PDF
KodekX | Application Modernization Development
PPTX
Digital-Transformation-Roadmap-for-Companies.pptx
PDF
Electronic commerce courselecture one. Pdf
PDF
Approach and Philosophy of On baking technology
PPTX
Programs and apps: productivity, graphics, security and other tools
PDF
Agricultural_Statistics_at_a_Glance_2022_0.pdf
PDF
Encapsulation theory and applications.pdf
sap open course for s4hana steps from ECC to s4
Spectral efficient network and resource selection model in 5G networks
Peak of Data & AI Encore- AI for Metadata and Smarter Workflows
The AUB Centre for AI in Media Proposal.docx
Blue Purple Modern Animated Computer Science Presentation.pdf.pdf
MIND Revenue Release Quarter 2 2025 Press Release
TokAI - TikTok AI Agent : The First AI Application That Analyzes 10,000+ Vira...
Big Data Technologies - Introduction.pptx
Architecting across the Boundaries of two Complex Domains - Healthcare & Tech...
Per capita expenditure prediction using model stacking based on satellite ima...
Reach Out and Touch Someone: Haptics and Empathic Computing
Spectroscopy.pptx food analysis technology
Network Security Unit 5.pdf for BCA BBA.
KodekX | Application Modernization Development
Digital-Transformation-Roadmap-for-Companies.pptx
Electronic commerce courselecture one. Pdf
Approach and Philosophy of On baking technology
Programs and apps: productivity, graphics, security and other tools
Agricultural_Statistics_at_a_Glance_2022_0.pdf
Encapsulation theory and applications.pdf

Riding the Edge with Ember.js

  • 1. Riding the Edge with Ember.js Houston.js June 2013
  • 2. Who am I? • Aaron Ortbals • Full-stack developer at Chaione • @aaronortbals • me@aaronortbals.com
  • 3. What is Ember.js? A client-side javascript framework used for building complex web applications
  • 4. The Creators • Tom Dale @tomdale • worked on Sproutcore framework at Apple and the MobileMe/iCloud applications • Yehuda Katz @wykats • rails core contributor • heavily involved in open source • Ember core team is 8 strong
  • 5. Tilde • Tom andYehuda co-founded Tilde, a product & consultancy company with Carl Lerche, and Leah Silber • Heavily focused on open source • Team members contributing to jQuery, Rails, Ember, Bundler... • Tom andYehuda met through Sproutcore and a startup called Strobe
  • 6. Picking a Framework (and some history)
  • 7. Circa 2005... What was the web was like in 2005? • IE 6 • jQuery was coming next year • And along came server-side web application frameworks like Ruby on Rails and Django
  • 8. “No one wants a megabyte of sprinkles.”
  • 9. Provide a better experience with JS • Many studies have shown that latency can significantly impact usage • You can cache but page reloads require re-parsing, executing CSS & JS, etc... • To improve latencies, many sites have moved to Single Page Applications
  • 10. Give us a backbone • In late 2010, when Backbone.js was released, a lightbulb went off in a lot of people’s heads • It’s fast, light-weight, and very easy to jump into • But what if you want (need?) more?
  • 11. The Rise of the SPA
  • 13. The Ember Philosophy • Ember favors convention over configuration • Ember forces you to do things correctly from the start • When you use it you might notice similarities to Cocoa and Rails
  • 14. Conventions • Strong conventions are really meant to help when you are a team of more than one • When a team member adds a new feature, it shouldn’t break old features
  • 15. Designing the Ember API • The team was very focused on getting the API correct pre-1.0 • Led to breaking API changes which pissed people off • It is all about taking use cases and constraints and designing an API that will work the best given those constraints
  • 16. Why did I pick it? • I really like the structure (especially for large apps) • The core team is very good and I like the roadmap • I’ve been highly productive after I crossed the chasm • While definitely not required, Ember works very well with Rails
  • 17. Benefits • Fully featured • They really care about URLs • Good community, vastly improving docs • Once you grok, developer productivity can be very high
  • 18. Disadvantages • Still young, but we are close to a 1.0 release (1.0-RC6) • Backbone,Angular, and others are more mature, less risk • Development of Ember-testing is trailing the API • Ember-data is not 1.0 (what is Ember-data?)
  • 19. What’s Coming for Ember? • Focused on documentation and the 1.0 release • Continued work on Ember-testing and Ember-data • Working with the standard’s bodies to plan for and incorporate the next generation of JS
  • 20. • Traditional SPAs do all their rendering on the client • What about indexing? • Hybrid rendering is the future • Both the client and the server can render the page • Ember has an up-and-coming solution to this with Handlebars The Problem
  • 21. So how do I use it already? {{}}
  • 22. Fundamentals • Templates • Views • Models • Router • Controllers
  • 23. Templates • Ember uses Handlebars which wraps {{things}} in curly braces • You can do things like {{#linkTo post}}Welcome to Ember!{{/linkTo}} • or <ul>       {{#each model}}       <li>         {{partial 'posts/show'}}       </li>       {{/each}}     </ul>
  • 24. Template Helpers Build a helper when you want to present data in a specific way. Handlebars.registerHelper 'fullName', ->   person.firstName + " " + person.lastName <span class="name">{{fullName aaron}}</span> Use it like:
  • 25. Views • A view translates events in your template to events that have meaning to your application • Typically only written in cases where you want to handle complex user events or create reusable components click Delete Controller Router deleteItem is deleteItem here?
  • 26. ChildViews album_view.js.coffee App.AlbumView = Ember.View.extend   templateName: 'album'     title:  "Animals" artist:  "Pink Floyd"     detailsView: Ember.View.extend     templateName: 'details'       year:   1977     genre:  "Progressive Rock" <h1> {{view.title}} by {{view.artist}} </h1> {{view view.detailsView}} <div class="year"> From {{view.year}} </div> <div class="genre"> In {{view.genre}} </div> album.handlebars details.handlebars
  • 27. Ember Data • Ember Data is a library that is designed to: • make it easy to retrieve records from a server • make changes in the browser • save those changes back to the server • Think of it as providing facilities similar to what an ORM does on the server • Works with Rails out of the box if it follows the active_model_serializers gem’s conventions
  • 28. Getting Setup with Ember Data • store.js.coffee • Remember, Ember Data is pre-1.0, so watch for breaking changes App.Store = DS.Store.extend   revision: 12
  • 29. Models • Models work well with Ember Data, but can use any persistence layer • A model looks like this: • Find a user: App.User = DS.Model.extend   firstName:  DS.attr('string')   lastName:   DS.attr('string')   email:      DS.attr('string')   username:   DS.attr('string') user = App.User.find({ name: "Aaron" })
  • 30. Relationships • A model can have relationships. Look familiar? App.Request = DS.Model.extend   name:       DS.attr('string')   user:       DS.belongsTo('App.User')   filled:     DS.attr('boolean')   createdAt:  DS.attr('date')   updatedAt:  DS.attr('date')
  • 31. Ember Data Alternatives • Ember-Model - extracted from a live application by core-team member Erik Bryn • Ember-Resource - from Zendesk • Others: Ember-RESTless, Emu, Ember-REST, JQuery directly
  • 32. Router • Ember.js represents each of the possible states in your application as a URL • Or the user hits the back button • Avoid losing state when the user uses traditional navigation View interacts event
  • 33. Wiring up some routes • Static routes • Resource routes • Nested resources • Use the browser history API (no hash bangs!) App.Router.map (match) ->   @route 'app', { path: '/'}   @route 'login'   @route 'signup'     @resource 'users', ->     @route 'new'     @resource 'user',       path: ':user_id'     @resource 'requests', ->     @route 'new'     @resource 'request',       path: ':request_id'   # Use the browser history API App.Router.reopen    location: 'history'
  • 34. A Route • Each route has a route handler • It finds the model, hands it to the controller, then renders a bound template App.UsersRoute = Ember.Route.extend   model: ->     App.User.find()   App.UsersNewRoute = Ember.Route.extend   model: ->     App.User.createRecord()   App.SignupRoute = App.UsersNewRoute
  • 35. Controllers • Models have properties that are saved to the server, while controllers have properties that don’t need to be saved to the server • In other words, anything that is specific to the current session App.UserController = Ember.ObjectController.extend   delete: ->     if (window.confirm "Are you sure you want to delete this user?")       @get('content').deleteRecord()       @get('store').commit()       @transitionToRoute('users') An Example User Controller:
  • 36. Coupling Template Controller Model Templates know about controllers, controllers know about models... But not the reverse
  • 37. Other stuff to check out
  • 38. Ember Inspector Yehuda is working on an extension for Chrome that exposes what is happening in Ember. Check it out!
  • 39. Who is using Ember? Open Source!
  • 40. Credits & Resources • Emberjs.com • Tilde.io • Thoughbot Episode #53 • Herding Code #169 • Ember Weekly • Embrace Javascript • Emberwatch
  • 41. So what does a structured app look like?