SlideShare uma empresa Scribd logo
1 de 48
Baixar para ler offline
EMBER DATA AND CUSTOM
APIS
DAVID TANG
OVERVIEW
▸ Adapters vs Serializers
▸ Built-in Adapters
▸ Common Adapter Customizations
▸ Built-in Serializers
▸ Common Serializer Customizations
▸ Testing it all
SERIALIZERS
ADAPTERS
TRANSFORMS
MODELS
IDENTITY MAPPING
REST SERIALIZER
JSON SERIALIZER
JSON API SERIALIZER
ACTIVE MODEL ADAPTER
REST ADAPTER
¯_(ツ)_/¯
STORE
SNAPSHOTS
EMBER DATA OVERVIEW
PERSISTENCE LAYER
ADAPTER (ADAPTER PATTERN)
SERIALIZER
STORE
Communicating with
persistence layer
Format data to and
from persistence layer
Data store (models)
Server, localStorage,
Firebase, Parse, etc
ADAPTERS
PERSISTENCE LAYER
ADAPTER (ADAPTER PATTERN)
SERIALIZER
STORE
Communicating with
persistence layer
Format data to and
from persistence layer
Data store (models)
Server, localStorage,
Firebase, Parse, etc
JSON-API
DS.JSONAPIAdapter
REST
DS.RESTAdapter
Base Adapter
DS.Adapter
BUILT-IN ADAPTERS
COMMON
ADAPTER
CUSTOMIZATIONS
COMMON ADAPTER CUSTOMIZATIONS
HOST AND NAMESPACE
import ENV from 'mycatapp/config/environment';
// app/adapters/application.js
export default DS.RESTAdapter.extend({
host: ENV.APP.apiEndpoint,
namespace: 'api/v1'
});
COMMON ADAPTER CUSTOMIZATIONS
PATH FOR TYPE
export default ApplicationAdapter.extend({
pathForType(modelName) {
return Ember.String.pluralize(modelName);
}
});
POST /api/usersPOST /api/user
GET /api/videoGamesGET /api/video-games
YOUR API EMBER
COMMON ADAPTER CUSTOMIZATIONS
CUSTOMIZING THE URL
▸ urlForCreateRecord
▸ urlForDeleteRecord
▸ urlForFindAll
▸ urlForFindRecord
▸ urlForQuery
▸ urlForQueryRecord
▸ urlForUpdateRecord
SERIALIZERS
PERSISTENCE LAYER
ADAPTER (ADAPTER PATTERN)
SERIALIZER
STORE
Communicating with
persistence layer
Format data to and
from persistence layer
Data store (models)
Server, localStorage,
Firebase, Parse, etc
JSON-API
DS.JSONAPISerializer
JSON
DS.JSONSerializer
REST
DS.RESTSerializer
Base Serializer
DS.Serializer
BUILT-IN SERIALIZERS
JSON
SERIALIZER
JSON SERIALIZER
PAYLOADS AND RESPONSES
{ "id": 1, "name": "David Tang" }
[
{ "id": 2, "name": "Michael Westen" },
{ "id": 3, "name": "Fiona Glenanne" }
]
GET /api/users
GET /api/users/1
JSON SERIALIZER
RELATIONSHIPS
{
"id": 99,
"name": "David Tang",
"pets": [ 1, 2, 3 ],
"company": 7
}
REST
SERIALIZER
REST SERIALIZER
PAYLOADS AND RESPONSES
{
"user": {
"id": 1,
"name": "David Tang",
"pets": [ 1, 2, 3 ],
"company": 7
}
}
GET /api/users/1
REST SERIALIZER
PAYLOADS AND RESPONSES
{
"users": [
{ "id": 1, "name": "Steve McGarret" },
{ "id": 2, "name": "Danny Williams" }
]
}
GET /api/users
REST SERIALIZER
RELATIONSHIPS AND SIDELOADING
{
"user": {
"id": 1, "name": "David Tang", "company": 7
},
"companies": [
{ "id": 7, "name": "Company A" }
]
}
GET /api/users/1
JSON-API
SERIALIZERhttp://thejsguy.com/2015/12/05/which-ember-data-serializer-should-i-use.html
COMMON
SERIALIZER
CUSTOMIZATIONS
Tip: Extend a serializer
that matches your API as
close as possible
COMMON SERIALIZER CUSTOMIZATIONS
NORMALIZING RESPONSES
{
"data": [
{ "id": 1, "name": "Tubby" },
{ "id": 2, "name": "Frisky" },
{ "id": 3, "name": "Tabitha" }
]
}
GET /api/cats
COMMON SERIALIZER CUSTOMIZATIONS
NORMALIZING RESPONSES
// app/serializers/cat.js
export default DS.RESTSerializer.extend({
normalizeResponse(a, b, payload, c, d) {
payload = { cats: payload.data };
return this._super(a, b, payload, c, d);
}
});
COMMON SERIALIZER CUSTOMIZATIONS
NORMALIZING RESPONSES
// app/serializers/cat.js
export default DS.JSONSerializer.extend({
normalizeResponse(a, b, payload, c, d) {
payload = payload.data;
return this._super(a, b, payload, c, d);
}
});
COMMON SERIALIZER CUSTOMIZATIONS
NORMALIZING BY STORE CALL
▸ normalizeCreateRecordResponse
▸ normalizeDeleteRecordResponse
▸ normalizeFindAllResponse
▸ normalizeFindHasManyResponse
▸ normalizeFindRecordResponse
▸ normalizeQueryRecordResponse
▸ normalizeQueryResponse
COMMON SERIALIZER CUSTOMIZATIONS
attrs
// app/serializers/cat.js
export default DS.RESTSerializer.extend({
attrs: {
firstName: 'first_name',
age: 'years'
}
});
{ "id": 1, "first_name": "Tubby", "years": 4 }
COMMON SERIALIZER CUSTOMIZATIONS
RELATIONSHIP ATTRIBUTES
// app/serializers/application.js
export default DS.RESTSerializer.extend({
keyForRelationship(key, relationship) {
if (relationship === 'belongsTo') {
return `${key}_id`;
}
}
});
{ "id": 1, "home_id": 3, "owner_id": 2 }
COMMON SERIALIZER CUSTOMIZATIONS
EMBEDDED RECORDS
{
"id": 5,
"name": "David Tang",
"skills": [
{ "id": 2, "name": "JavaScript" },
{ "id": 9, "name": "Ember" }
]
}
COMMON SERIALIZER CUSTOMIZATIONS
EMBEDDED RECORDS
// app/serializers/user.js
let Mixin = DS.EmbeddedRecordsMixin;
export default DS.JSONSerializer.extend(Mixin, {
attrs: {
skills: { embedded: 'always' }
}
});
COMMON SERIALIZER CUSTOMIZATIONS
SETTING THE PRIMARY KEY
// app/serializers/user.js
export default DS.RESTSerializer.extend({
primaryKey: 'socialSecurityNumber'
});
COMMON SERIALIZER CUSTOMIZATIONS
SERIALIZING DATA ON SAVE
// app/serializers/user.js
export default DS.RESTSerializer.extend({
serialize(snapshot) {
return [
{ name: snapshot.attr('name') }
];
}
});
COMMON SERIALIZER CUSTOMIZATIONS
DS.SNAPSHOT
// snapshot for a user model
snapshot.id;
snapshot.attr('name')
snapshot.hasMany('interests') // interestsSnapshot
snapshot.belongsTo('company') // companySnapshot
TESTING
IT ALL
TESTING
THE DEFAULT SERIALIZER TEST
import { moduleForModel, test } from 'ember-qunit';
moduleForModel('cat', 'Unit | Serializer | cat', {
needs: ['serializer:cat']
});
test('it serializes records', function(assert) {
var record = this.subject();
var serializedRecord = record.serialize();
assert.ok(serializedRecord);
});
TESTING
1. moduleFor() INSTEAD OF moduleForModel()
import { moduleFor, test } from 'ember-qunit';
moduleFor(
'serializer:cat', 'Unit | Serializer | cat', {}
);
test('it serializes records', function(assert) {
let serializer = this.subject();
});
TESTING
2. USE THE STORE
Test serializers and
adapters through the
store with an HTTP
mocking library
TESTING
TESTING WITH THE STORE - 1. SETUP
moduleForModel('cat', 'Unit | Serializer | cat', {
needs: [ 'serializer:cat', 'adapter:cat' ],
beforeEach() {
// next slide
},
afterEach() {
// next slide
}
});
TESTING
TESTING WITH THE STORE - 2. PRETENDER
// beforeEach()
this.server = new Pretender(function() {
this.get('/api/cats', function() {
let response = JSON.stringify(/* data */);
return [ 200, {}, response ];
});
});
this.server.shutdown(); // afterEach()
TESTING
TESTING WITH THE STORE - 3. THE TEST
test('array responses', function(assert) {
let store = this.store();
return store.findAll('cat').then((cats) => {
assert.equal(cats.get('length'), 3);
});
});
TESTING
TESTING THE DATA YOUR SERVER RECEIVES
// app/serializers/cat.js
export default DS.RESTSerializer.extend({
serialize(snapshot) {
/* implementation */
}
});
TESTING
TESTING THE DATA YOUR SERVER RECEIVES
let [ request ] = this.server.handledRequests;
let body = request.requestBody;
let requestPayload = JSON.parse(body);
let expectedJSON = /* JSON */;
assert.deepEqual(requestPayload, expectedJSON);
EMBER DATA RESOURCES
▸ Introduction to Ember Data 2.0 by Christoffer Persson
▸ My Blog - thejsguy.com
▸ Ember Data and Custom APIs - 5 Common Serializer
Customizations
▸ Which Ember Data Serializer Should I Use?
▸ Working with Nested Data in Ember Data Models
▸ Handling Errors with Ember Data
THANKS!THEJSGUY.COM
@SKATERDAV85

Mais conteúdo relacionado

Mais procurados

Py.test
Py.testPy.test
Py.testsoasme
 
Effective testing with pytest
Effective testing with pytestEffective testing with pytest
Effective testing with pytestHector Canto
 
Mozilla Web QA - Evolution of our Python WebDriver framework
Mozilla Web QA - Evolution of our Python WebDriver frameworkMozilla Web QA - Evolution of our Python WebDriver framework
Mozilla Web QA - Evolution of our Python WebDriver frameworkdavehunt82
 
APIs and Synthetic Biology
APIs and Synthetic BiologyAPIs and Synthetic Biology
APIs and Synthetic BiologyUri Laserson
 
Selenium with py test by Alexandr Vasyliev for Lohika Odessa Python TechTalks
Selenium with py test by Alexandr Vasyliev for Lohika Odessa Python TechTalksSelenium with py test by Alexandr Vasyliev for Lohika Odessa Python TechTalks
Selenium with py test by Alexandr Vasyliev for Lohika Odessa Python TechTalksLohika_Odessa_TechTalks
 
Puppet Systems Infrastructure Construction Kit
Puppet Systems Infrastructure Construction KitPuppet Systems Infrastructure Construction Kit
Puppet Systems Infrastructure Construction KitAlessandro Franceschi
 
Isolated development in python
Isolated development in pythonIsolated development in python
Isolated development in pythonAndrés J. Díaz
 
Intro To Spring Python
Intro To Spring PythonIntro To Spring Python
Intro To Spring Pythongturnquist
 
Modules of the twenties
Modules of the twentiesModules of the twenties
Modules of the twentiesPuppet
 
Proxy Deep Dive Voxxed Belgrad 2015
Proxy Deep Dive Voxxed Belgrad 2015Proxy Deep Dive Voxxed Belgrad 2015
Proxy Deep Dive Voxxed Belgrad 2015Sven Ruppert
 
HTTP and Your Angry Dog
HTTP and Your Angry DogHTTP and Your Angry Dog
HTTP and Your Angry DogRoss Tuck
 
Puppet: What _not_ to do
Puppet: What _not_ to doPuppet: What _not_ to do
Puppet: What _not_ to doPuppet
 
Python - Getting to the Essence - Points.com - Dave Park
Python - Getting to the Essence - Points.com - Dave ParkPython - Getting to the Essence - Points.com - Dave Park
Python - Getting to the Essence - Points.com - Dave Parkpointstechgeeks
 
Enjoying the Journey from Puppet 3.x to Puppet 4.x (PuppetConf 2016)
Enjoying the Journey from Puppet 3.x to Puppet 4.x (PuppetConf 2016)Enjoying the Journey from Puppet 3.x to Puppet 4.x (PuppetConf 2016)
Enjoying the Journey from Puppet 3.x to Puppet 4.x (PuppetConf 2016)Robert Nelson
 
Why you should be using the shiny new C# 6.0 features now!
Why you should be using the shiny new C# 6.0 features now!Why you should be using the shiny new C# 6.0 features now!
Why you should be using the shiny new C# 6.0 features now!Eric Phan
 
Puppet camp2021 testing modules and controlrepo
Puppet camp2021 testing modules and controlrepoPuppet camp2021 testing modules and controlrepo
Puppet camp2021 testing modules and controlrepoPuppet
 
Orleankka Intro Circa 2015
Orleankka Intro Circa 2015Orleankka Intro Circa 2015
Orleankka Intro Circa 2015Yevhen Bobrov
 

Mais procurados (20)

Py.test
Py.testPy.test
Py.test
 
Effective testing with pytest
Effective testing with pytestEffective testing with pytest
Effective testing with pytest
 
Mozilla Web QA - Evolution of our Python WebDriver framework
Mozilla Web QA - Evolution of our Python WebDriver frameworkMozilla Web QA - Evolution of our Python WebDriver framework
Mozilla Web QA - Evolution of our Python WebDriver framework
 
APIs and Synthetic Biology
APIs and Synthetic BiologyAPIs and Synthetic Biology
APIs and Synthetic Biology
 
Selenium with py test by Alexandr Vasyliev for Lohika Odessa Python TechTalks
Selenium with py test by Alexandr Vasyliev for Lohika Odessa Python TechTalksSelenium with py test by Alexandr Vasyliev for Lohika Odessa Python TechTalks
Selenium with py test by Alexandr Vasyliev for Lohika Odessa Python TechTalks
 
Puppet Systems Infrastructure Construction Kit
Puppet Systems Infrastructure Construction KitPuppet Systems Infrastructure Construction Kit
Puppet Systems Infrastructure Construction Kit
 
Isolated development in python
Isolated development in pythonIsolated development in python
Isolated development in python
 
Intro To Spring Python
Intro To Spring PythonIntro To Spring Python
Intro To Spring Python
 
Modules of the twenties
Modules of the twentiesModules of the twenties
Modules of the twenties
 
Proxy Deep Dive Voxxed Belgrad 2015
Proxy Deep Dive Voxxed Belgrad 2015Proxy Deep Dive Voxxed Belgrad 2015
Proxy Deep Dive Voxxed Belgrad 2015
 
HTTP and Your Angry Dog
HTTP and Your Angry DogHTTP and Your Angry Dog
HTTP and Your Angry Dog
 
Puppet: What _not_ to do
Puppet: What _not_ to doPuppet: What _not_ to do
Puppet: What _not_ to do
 
Python - Getting to the Essence - Points.com - Dave Park
Python - Getting to the Essence - Points.com - Dave ParkPython - Getting to the Essence - Points.com - Dave Park
Python - Getting to the Essence - Points.com - Dave Park
 
Enjoying the Journey from Puppet 3.x to Puppet 4.x (PuppetConf 2016)
Enjoying the Journey from Puppet 3.x to Puppet 4.x (PuppetConf 2016)Enjoying the Journey from Puppet 3.x to Puppet 4.x (PuppetConf 2016)
Enjoying the Journey from Puppet 3.x to Puppet 4.x (PuppetConf 2016)
 
Why you should be using the shiny new C# 6.0 features now!
Why you should be using the shiny new C# 6.0 features now!Why you should be using the shiny new C# 6.0 features now!
Why you should be using the shiny new C# 6.0 features now!
 
Puppet camp2021 testing modules and controlrepo
Puppet camp2021 testing modules and controlrepoPuppet camp2021 testing modules and controlrepo
Puppet camp2021 testing modules and controlrepo
 
RSpec 2 Best practices
RSpec 2 Best practicesRSpec 2 Best practices
RSpec 2 Best practices
 
Intro to Terraform
Intro to TerraformIntro to Terraform
Intro to Terraform
 
Orleankka Intro Circa 2015
Orleankka Intro Circa 2015Orleankka Intro Circa 2015
Orleankka Intro Circa 2015
 
Metadata-driven Testing
Metadata-driven TestingMetadata-driven Testing
Metadata-driven Testing
 

Destaque

HAL APIs and Ember Data
HAL APIs and Ember DataHAL APIs and Ember Data
HAL APIs and Ember DataCory Forsyth
 
Damien piller : Président de migros Neuchatel Fribourg
Damien piller : Président de migros Neuchatel FribourgDamien piller : Président de migros Neuchatel Fribourg
Damien piller : Président de migros Neuchatel FribourgDamien Piller
 
Presentation1
Presentation1Presentation1
Presentation1marich23
 
Damien Piller la liberté-ilford vend une partie de son terrain à un promoteur...
Damien Piller la liberté-ilford vend une partie de son terrain à un promoteur...Damien Piller la liberté-ilford vend une partie de son terrain à un promoteur...
Damien Piller la liberté-ilford vend une partie de son terrain à un promoteur...Damien Piller
 
CW Autism Parent Fact Sheet 2015
CW Autism Parent Fact Sheet 2015CW Autism Parent Fact Sheet 2015
CW Autism Parent Fact Sheet 2015Christina Weathers
 
Damien Piller - Changement à la direction de Migros Neuchâtel Fribourg
Damien Piller - Changement à la direction de Migros Neuchâtel FribourgDamien Piller - Changement à la direction de Migros Neuchâtel Fribourg
Damien Piller - Changement à la direction de Migros Neuchâtel FribourgDamien Piller
 
Portfolio Fran Castillo 2014
Portfolio Fran Castillo 2014Portfolio Fran Castillo 2014
Portfolio Fran Castillo 2014Fran Castillo
 
Chint cataloge
Chint catalogeChint cataloge
Chint catalogemirosabev
 
Highlights Biennale des Antiquaires 2012
Highlights Biennale des Antiquaires 2012Highlights Biennale des Antiquaires 2012
Highlights Biennale des Antiquaires 2012Tolila Sylvie
 

Destaque (17)

HAL APIs and Ember Data
HAL APIs and Ember DataHAL APIs and Ember Data
HAL APIs and Ember Data
 
Ember.js at Zendesk
Ember.js at ZendeskEmber.js at Zendesk
Ember.js at Zendesk
 
Damien piller : Président de migros Neuchatel Fribourg
Damien piller : Président de migros Neuchatel FribourgDamien piller : Président de migros Neuchatel Fribourg
Damien piller : Président de migros Neuchatel Fribourg
 
Actividad construye t
Actividad construye tActividad construye t
Actividad construye t
 
America
AmericaAmerica
America
 
Presentation1
Presentation1Presentation1
Presentation1
 
Damien Piller la liberté-ilford vend une partie de son terrain à un promoteur...
Damien Piller la liberté-ilford vend une partie de son terrain à un promoteur...Damien Piller la liberté-ilford vend une partie de son terrain à un promoteur...
Damien Piller la liberté-ilford vend une partie de son terrain à un promoteur...
 
CW Autism Parent Fact Sheet 2015
CW Autism Parent Fact Sheet 2015CW Autism Parent Fact Sheet 2015
CW Autism Parent Fact Sheet 2015
 
Damien Piller - Changement à la direction de Migros Neuchâtel Fribourg
Damien Piller - Changement à la direction de Migros Neuchâtel FribourgDamien Piller - Changement à la direction de Migros Neuchâtel Fribourg
Damien Piller - Changement à la direction de Migros Neuchâtel Fribourg
 
arca south
arca southarca south
arca south
 
Estadística general Medidas de tendencia central
Estadística general Medidas de tendencia centralEstadística general Medidas de tendencia central
Estadística general Medidas de tendencia central
 
Portfolio Fran Castillo 2014
Portfolio Fran Castillo 2014Portfolio Fran Castillo 2014
Portfolio Fran Castillo 2014
 
Chint cataloge
Chint catalogeChint cataloge
Chint cataloge
 
Guia diseño redes subterraneas3
Guia diseño redes subterraneas3Guia diseño redes subterraneas3
Guia diseño redes subterraneas3
 
Ejm taller practico
Ejm taller practicoEjm taller practico
Ejm taller practico
 
NHM-DFW-0616-v4 (3)
NHM-DFW-0616-v4 (3)NHM-DFW-0616-v4 (3)
NHM-DFW-0616-v4 (3)
 
Highlights Biennale des Antiquaires 2012
Highlights Biennale des Antiquaires 2012Highlights Biennale des Antiquaires 2012
Highlights Biennale des Antiquaires 2012
 

Semelhante a Ember Data Adapters and Serializers

Ember Data and JSON API
Ember Data and JSON APIEmber Data and JSON API
Ember Data and JSON APIyoranbe
 
Crossing the Bridge: Connecting Rails and your Front-end Framework
Crossing the Bridge: Connecting Rails and your Front-end FrameworkCrossing the Bridge: Connecting Rails and your Front-end Framework
Crossing the Bridge: Connecting Rails and your Front-end FrameworkDaniel Spector
 
Spring data ii
Spring data iiSpring data ii
Spring data ii명철 강
 
Rspec API Documentation
Rspec API DocumentationRspec API Documentation
Rspec API DocumentationSmartLogic
 
Kicking off with Zend Expressive and Doctrine ORM (Sunshine PHP 2017)
Kicking off with Zend Expressive and Doctrine ORM (Sunshine PHP 2017)Kicking off with Zend Expressive and Doctrine ORM (Sunshine PHP 2017)
Kicking off with Zend Expressive and Doctrine ORM (Sunshine PHP 2017)James Titcumb
 
DynamicRecord Presentation
DynamicRecord PresentationDynamicRecord Presentation
DynamicRecord Presentationlinoj
 
Kicking off with Zend Expressive and Doctrine ORM (PHP UK 2017)
Kicking off with Zend Expressive and Doctrine ORM (PHP UK 2017)Kicking off with Zend Expressive and Doctrine ORM (PHP UK 2017)
Kicking off with Zend Expressive and Doctrine ORM (PHP UK 2017)James Titcumb
 
Getting to Grips with SilverStripe Testing
Getting to Grips with SilverStripe TestingGetting to Grips with SilverStripe Testing
Getting to Grips with SilverStripe TestingMark Rickerby
 
Kicking off with Zend Expressive and Doctrine ORM (PHP South Africa 2018)
Kicking off with Zend Expressive and Doctrine ORM (PHP South Africa 2018)Kicking off with Zend Expressive and Doctrine ORM (PHP South Africa 2018)
Kicking off with Zend Expressive and Doctrine ORM (PHP South Africa 2018)James Titcumb
 
SCR Annotations for Fun and Profit
SCR Annotations for Fun and ProfitSCR Annotations for Fun and Profit
SCR Annotations for Fun and ProfitMike Pfaff
 
WebNet Conference 2012 - Designing complex applications using html5 and knock...
WebNet Conference 2012 - Designing complex applications using html5 and knock...WebNet Conference 2012 - Designing complex applications using html5 and knock...
WebNet Conference 2012 - Designing complex applications using html5 and knock...Fabio Franzini
 
Quick tour to front end unit testing using jasmine
Quick tour to front end unit testing using jasmineQuick tour to front end unit testing using jasmine
Quick tour to front end unit testing using jasmineGil Fink
 
Federico Feroldi - Scala microservices
Federico Feroldi - Scala microservicesFederico Feroldi - Scala microservices
Federico Feroldi - Scala microservicesScala Italy
 
Java Web Programming on Google Cloud Platform [2/3] : Datastore
Java Web Programming on Google Cloud Platform [2/3] : DatastoreJava Web Programming on Google Cloud Platform [2/3] : Datastore
Java Web Programming on Google Cloud Platform [2/3] : DatastoreIMC Institute
 
Tutorial on developing a Solr search component plugin
Tutorial on developing a Solr search component pluginTutorial on developing a Solr search component plugin
Tutorial on developing a Solr search component pluginsearchbox-com
 
OSGi 4.3 Technical Update: What's New?
OSGi 4.3 Technical Update: What's New?OSGi 4.3 Technical Update: What's New?
OSGi 4.3 Technical Update: What's New?bjhargrave
 
Pxb For Yapc2008
Pxb For Yapc2008Pxb For Yapc2008
Pxb For Yapc2008maximgrp
 
Kicking off with Zend Expressive and Doctrine ORM (PHP MiNDS March 2018)
Kicking off with Zend Expressive and Doctrine ORM (PHP MiNDS March 2018)Kicking off with Zend Expressive and Doctrine ORM (PHP MiNDS March 2018)
Kicking off with Zend Expressive and Doctrine ORM (PHP MiNDS March 2018)James Titcumb
 

Semelhante a Ember Data Adapters and Serializers (20)

Workshop 17: EmberJS parte II
Workshop 17: EmberJS parte IIWorkshop 17: EmberJS parte II
Workshop 17: EmberJS parte II
 
Ember Data and JSON API
Ember Data and JSON APIEmber Data and JSON API
Ember Data and JSON API
 
Crossing the Bridge: Connecting Rails and your Front-end Framework
Crossing the Bridge: Connecting Rails and your Front-end FrameworkCrossing the Bridge: Connecting Rails and your Front-end Framework
Crossing the Bridge: Connecting Rails and your Front-end Framework
 
Spring data ii
Spring data iiSpring data ii
Spring data ii
 
Rspec API Documentation
Rspec API DocumentationRspec API Documentation
Rspec API Documentation
 
Kicking off with Zend Expressive and Doctrine ORM (Sunshine PHP 2017)
Kicking off with Zend Expressive and Doctrine ORM (Sunshine PHP 2017)Kicking off with Zend Expressive and Doctrine ORM (Sunshine PHP 2017)
Kicking off with Zend Expressive and Doctrine ORM (Sunshine PHP 2017)
 
DynamicRecord Presentation
DynamicRecord PresentationDynamicRecord Presentation
DynamicRecord Presentation
 
Kicking off with Zend Expressive and Doctrine ORM (PHP UK 2017)
Kicking off with Zend Expressive and Doctrine ORM (PHP UK 2017)Kicking off with Zend Expressive and Doctrine ORM (PHP UK 2017)
Kicking off with Zend Expressive and Doctrine ORM (PHP UK 2017)
 
Getting to Grips with SilverStripe Testing
Getting to Grips with SilverStripe TestingGetting to Grips with SilverStripe Testing
Getting to Grips with SilverStripe Testing
 
Kicking off with Zend Expressive and Doctrine ORM (PHP South Africa 2018)
Kicking off with Zend Expressive and Doctrine ORM (PHP South Africa 2018)Kicking off with Zend Expressive and Doctrine ORM (PHP South Africa 2018)
Kicking off with Zend Expressive and Doctrine ORM (PHP South Africa 2018)
 
SCR Annotations for Fun and Profit
SCR Annotations for Fun and ProfitSCR Annotations for Fun and Profit
SCR Annotations for Fun and Profit
 
WebNet Conference 2012 - Designing complex applications using html5 and knock...
WebNet Conference 2012 - Designing complex applications using html5 and knock...WebNet Conference 2012 - Designing complex applications using html5 and knock...
WebNet Conference 2012 - Designing complex applications using html5 and knock...
 
Quick tour to front end unit testing using jasmine
Quick tour to front end unit testing using jasmineQuick tour to front end unit testing using jasmine
Quick tour to front end unit testing using jasmine
 
Postman On Steroids
Postman On SteroidsPostman On Steroids
Postman On Steroids
 
Federico Feroldi - Scala microservices
Federico Feroldi - Scala microservicesFederico Feroldi - Scala microservices
Federico Feroldi - Scala microservices
 
Java Web Programming on Google Cloud Platform [2/3] : Datastore
Java Web Programming on Google Cloud Platform [2/3] : DatastoreJava Web Programming on Google Cloud Platform [2/3] : Datastore
Java Web Programming on Google Cloud Platform [2/3] : Datastore
 
Tutorial on developing a Solr search component plugin
Tutorial on developing a Solr search component pluginTutorial on developing a Solr search component plugin
Tutorial on developing a Solr search component plugin
 
OSGi 4.3 Technical Update: What's New?
OSGi 4.3 Technical Update: What's New?OSGi 4.3 Technical Update: What's New?
OSGi 4.3 Technical Update: What's New?
 
Pxb For Yapc2008
Pxb For Yapc2008Pxb For Yapc2008
Pxb For Yapc2008
 
Kicking off with Zend Expressive and Doctrine ORM (PHP MiNDS March 2018)
Kicking off with Zend Expressive and Doctrine ORM (PHP MiNDS March 2018)Kicking off with Zend Expressive and Doctrine ORM (PHP MiNDS March 2018)
Kicking off with Zend Expressive and Doctrine ORM (PHP MiNDS March 2018)
 

Último

Powerpoint exploring the locations used in television show Time Clash
Powerpoint exploring the locations used in television show Time ClashPowerpoint exploring the locations used in television show Time Clash
Powerpoint exploring the locations used in television show Time Clashcharlottematthew16
 
Scanning the Internet for External Cloud Exposures via SSL Certs
Scanning the Internet for External Cloud Exposures via SSL CertsScanning the Internet for External Cloud Exposures via SSL Certs
Scanning the Internet for External Cloud Exposures via SSL CertsRizwan Syed
 
TeamStation AI System Report LATAM IT Salaries 2024
TeamStation AI System Report LATAM IT Salaries 2024TeamStation AI System Report LATAM IT Salaries 2024
TeamStation AI System Report LATAM IT Salaries 2024Lonnie McRorey
 
DSPy a system for AI to Write Prompts and Do Fine Tuning
DSPy a system for AI to Write Prompts and Do Fine TuningDSPy a system for AI to Write Prompts and Do Fine Tuning
DSPy a system for AI to Write Prompts and Do Fine TuningLars Bell
 
"LLMs for Python Engineers: Advanced Data Analysis and Semantic Kernel",Oleks...
"LLMs for Python Engineers: Advanced Data Analysis and Semantic Kernel",Oleks..."LLMs for Python Engineers: Advanced Data Analysis and Semantic Kernel",Oleks...
"LLMs for Python Engineers: Advanced Data Analysis and Semantic Kernel",Oleks...Fwdays
 
What's New in Teams Calling, Meetings and Devices March 2024
What's New in Teams Calling, Meetings and Devices March 2024What's New in Teams Calling, Meetings and Devices March 2024
What's New in Teams Calling, Meetings and Devices March 2024Stephanie Beckett
 
Unleash Your Potential - Namagunga Girls Coding Club
Unleash Your Potential - Namagunga Girls Coding ClubUnleash Your Potential - Namagunga Girls Coding Club
Unleash Your Potential - Namagunga Girls Coding ClubKalema Edgar
 
Commit 2024 - Secret Management made easy
Commit 2024 - Secret Management made easyCommit 2024 - Secret Management made easy
Commit 2024 - Secret Management made easyAlfredo García Lavilla
 
SAP Build Work Zone - Overview L2-L3.pptx
SAP Build Work Zone - Overview L2-L3.pptxSAP Build Work Zone - Overview L2-L3.pptx
SAP Build Work Zone - Overview L2-L3.pptxNavinnSomaal
 
Designing IA for AI - Information Architecture Conference 2024
Designing IA for AI - Information Architecture Conference 2024Designing IA for AI - Information Architecture Conference 2024
Designing IA for AI - Information Architecture Conference 2024Enterprise Knowledge
 
DevEX - reference for building teams, processes, and platforms
DevEX - reference for building teams, processes, and platformsDevEX - reference for building teams, processes, and platforms
DevEX - reference for building teams, processes, and platformsSergiu Bodiu
 
Are Multi-Cloud and Serverless Good or Bad?
Are Multi-Cloud and Serverless Good or Bad?Are Multi-Cloud and Serverless Good or Bad?
Are Multi-Cloud and Serverless Good or Bad?Mattias Andersson
 
How AI, OpenAI, and ChatGPT impact business and software.
How AI, OpenAI, and ChatGPT impact business and software.How AI, OpenAI, and ChatGPT impact business and software.
How AI, OpenAI, and ChatGPT impact business and software.Curtis Poe
 
Unraveling Multimodality with Large Language Models.pdf
Unraveling Multimodality with Large Language Models.pdfUnraveling Multimodality with Large Language Models.pdf
Unraveling Multimodality with Large Language Models.pdfAlex Barbosa Coqueiro
 
Advanced Test Driven-Development @ php[tek] 2024
Advanced Test Driven-Development @ php[tek] 2024Advanced Test Driven-Development @ php[tek] 2024
Advanced Test Driven-Development @ php[tek] 2024Scott Keck-Warren
 
CloudStudio User manual (basic edition):
CloudStudio User manual (basic edition):CloudStudio User manual (basic edition):
CloudStudio User manual (basic edition):comworks
 
Ensuring Technical Readiness For Copilot in Microsoft 365
Ensuring Technical Readiness For Copilot in Microsoft 365Ensuring Technical Readiness For Copilot in Microsoft 365
Ensuring Technical Readiness For Copilot in Microsoft 3652toLead Limited
 
Dev Dives: Streamline document processing with UiPath Studio Web
Dev Dives: Streamline document processing with UiPath Studio WebDev Dives: Streamline document processing with UiPath Studio Web
Dev Dives: Streamline document processing with UiPath Studio WebUiPathCommunity
 
Anypoint Exchange: It’s Not Just a Repo!
Anypoint Exchange: It’s Not Just a Repo!Anypoint Exchange: It’s Not Just a Repo!
Anypoint Exchange: It’s Not Just a Repo!Manik S Magar
 
Nell’iperspazio con Rocket: il Framework Web di Rust!
Nell’iperspazio con Rocket: il Framework Web di Rust!Nell’iperspazio con Rocket: il Framework Web di Rust!
Nell’iperspazio con Rocket: il Framework Web di Rust!Commit University
 

Último (20)

Powerpoint exploring the locations used in television show Time Clash
Powerpoint exploring the locations used in television show Time ClashPowerpoint exploring the locations used in television show Time Clash
Powerpoint exploring the locations used in television show Time Clash
 
Scanning the Internet for External Cloud Exposures via SSL Certs
Scanning the Internet for External Cloud Exposures via SSL CertsScanning the Internet for External Cloud Exposures via SSL Certs
Scanning the Internet for External Cloud Exposures via SSL Certs
 
TeamStation AI System Report LATAM IT Salaries 2024
TeamStation AI System Report LATAM IT Salaries 2024TeamStation AI System Report LATAM IT Salaries 2024
TeamStation AI System Report LATAM IT Salaries 2024
 
DSPy a system for AI to Write Prompts and Do Fine Tuning
DSPy a system for AI to Write Prompts and Do Fine TuningDSPy a system for AI to Write Prompts and Do Fine Tuning
DSPy a system for AI to Write Prompts and Do Fine Tuning
 
"LLMs for Python Engineers: Advanced Data Analysis and Semantic Kernel",Oleks...
"LLMs for Python Engineers: Advanced Data Analysis and Semantic Kernel",Oleks..."LLMs for Python Engineers: Advanced Data Analysis and Semantic Kernel",Oleks...
"LLMs for Python Engineers: Advanced Data Analysis and Semantic Kernel",Oleks...
 
What's New in Teams Calling, Meetings and Devices March 2024
What's New in Teams Calling, Meetings and Devices March 2024What's New in Teams Calling, Meetings and Devices March 2024
What's New in Teams Calling, Meetings and Devices March 2024
 
Unleash Your Potential - Namagunga Girls Coding Club
Unleash Your Potential - Namagunga Girls Coding ClubUnleash Your Potential - Namagunga Girls Coding Club
Unleash Your Potential - Namagunga Girls Coding Club
 
Commit 2024 - Secret Management made easy
Commit 2024 - Secret Management made easyCommit 2024 - Secret Management made easy
Commit 2024 - Secret Management made easy
 
SAP Build Work Zone - Overview L2-L3.pptx
SAP Build Work Zone - Overview L2-L3.pptxSAP Build Work Zone - Overview L2-L3.pptx
SAP Build Work Zone - Overview L2-L3.pptx
 
Designing IA for AI - Information Architecture Conference 2024
Designing IA for AI - Information Architecture Conference 2024Designing IA for AI - Information Architecture Conference 2024
Designing IA for AI - Information Architecture Conference 2024
 
DevEX - reference for building teams, processes, and platforms
DevEX - reference for building teams, processes, and platformsDevEX - reference for building teams, processes, and platforms
DevEX - reference for building teams, processes, and platforms
 
Are Multi-Cloud and Serverless Good or Bad?
Are Multi-Cloud and Serverless Good or Bad?Are Multi-Cloud and Serverless Good or Bad?
Are Multi-Cloud and Serverless Good or Bad?
 
How AI, OpenAI, and ChatGPT impact business and software.
How AI, OpenAI, and ChatGPT impact business and software.How AI, OpenAI, and ChatGPT impact business and software.
How AI, OpenAI, and ChatGPT impact business and software.
 
Unraveling Multimodality with Large Language Models.pdf
Unraveling Multimodality with Large Language Models.pdfUnraveling Multimodality with Large Language Models.pdf
Unraveling Multimodality with Large Language Models.pdf
 
Advanced Test Driven-Development @ php[tek] 2024
Advanced Test Driven-Development @ php[tek] 2024Advanced Test Driven-Development @ php[tek] 2024
Advanced Test Driven-Development @ php[tek] 2024
 
CloudStudio User manual (basic edition):
CloudStudio User manual (basic edition):CloudStudio User manual (basic edition):
CloudStudio User manual (basic edition):
 
Ensuring Technical Readiness For Copilot in Microsoft 365
Ensuring Technical Readiness For Copilot in Microsoft 365Ensuring Technical Readiness For Copilot in Microsoft 365
Ensuring Technical Readiness For Copilot in Microsoft 365
 
Dev Dives: Streamline document processing with UiPath Studio Web
Dev Dives: Streamline document processing with UiPath Studio WebDev Dives: Streamline document processing with UiPath Studio Web
Dev Dives: Streamline document processing with UiPath Studio Web
 
Anypoint Exchange: It’s Not Just a Repo!
Anypoint Exchange: It’s Not Just a Repo!Anypoint Exchange: It’s Not Just a Repo!
Anypoint Exchange: It’s Not Just a Repo!
 
Nell’iperspazio con Rocket: il Framework Web di Rust!
Nell’iperspazio con Rocket: il Framework Web di Rust!Nell’iperspazio con Rocket: il Framework Web di Rust!
Nell’iperspazio con Rocket: il Framework Web di Rust!
 

Ember Data Adapters and Serializers