Resources and relationships at front-end

W
Angular.js and Resources 
Effectively Managing Resources (Models) in Your Angular.js Based Single 
Page Application 
by Himanshu Kapoor, Front-end Engineer, Wingify 
Web: , fleon.org Twitter: @himkp, Email: info@fleon.org 
This presentation: 
http://lab.fleon.org/angularjs-and-resources/ 
https://github.com/fleon/angularjs-and-resources 
Download / Fork on GitHub:
The interwebs today... 
Single Page Apps™ 
(Today's Hot Topic) 
+ 
Front-end Frameworks 
(Our Pick: Angular.js) 
+ 
Moar Stuff 
(Package Management, AMD, Project Organisation, etc.)
Why Single Page Apps™? 
Why should you make Single Page Apps? 
They're cool 
Everybody else is doing it 
The ™ symbol on it looks cool
Why Single Page Apps™? 
The real reasons... 
Faster experience: no page refresh, on-demand data fetching 
Better runtimes: V8, spidermonkey 
Heightened expectations: new products, mobile
Well ok, lets make a Single Page App!
Thus begins our SPA Journey... 
with Angular.js + Angular UI Router + Require.js
And then, there were...
Models, Views and Controllers 
MVC 101: Angular.js Edition 
Views: rendered in the browser 
Controllers: makes your view dynamic, has the logic 
Models: plain old POJOs
POJOs as Models? 
Yes, Plain Old Javascript Objects! 
Hmm, sounds cool!
OK, here's what we got... 
The controller 
function MyCtrl($scope) { 
$scope.myModel = 'hello world'; 
} 
The view 
<h1 ng-controller="MyCtrl"> 
{{myModel}} 
</h1> 
The model 
// myModel is a POJO model
The result:
That was easy, but...
A real model, usually... 
is a rather big and complex object 
lies on the server
Ok, lets request the server! 
$http shall answer all our queries
The code... 
The controller 
function MyCtrl($scope, $http) { 
$http.get('/user').success(function (user) { 
$scope.user = user; 
}); 
} 
The view 
<h1 ng-controller="MyCtrl"> 
Hello there, {{user.name}} 
</h1> 
The model 
// HTTP GET 
{ 
"id": 1234, 
"name": "John Doe", 
"email": "johndoe@example.com" 
}
The result: 
Pretty sweet, right?
But hold on... 
Back in the real world, things aren't so simple.
The problems: 
What about multiple views? 
What about other kinds of actions (POST, PATCH, PUT, DELETE)? 
What about muliple types of models (users, posts, comments)? 
How do you handle multiple instances of the same model?
And while answering the questions, 
How do you make sure your code is: 
DRY 
Consistent 
Scalable 
Testable
And here are the answers... 
Q: What about multiple views? 
A: Abstract out the model in a service. 
Q: What about other kinds of actions? 
A: Add support for those methods in the service. 
Q: What about muliple types of models? 
A: Add support for instantiating different model types in the service.
This looks like a job for...
$resource
$resource to the rescue! 
A configurable REST adapter 
An abstraction of HTTP methods 
Ability to add custom actions 
Promise-based API 
Resources are lazily loaded
Time for some code... 
The model 
app.factory('UserResource', function () { 
return $resource('/user/:userId', { 
userId: '@id' 
}); 
}); 
The controller 
function MyCtrl($scope, UserResource) { 
$scope.user = UserResource.get({ 
id: 1 
}); 
} 
The view 
<h1 ng-controller="MyCtrl"> 
Hello there, {{user.name}} 
</h1>
The result: 
Looks no different from the previous output, 
but our code is a lot more extendible with the above logic.
The journey continues... 
Application grows bigger 
Several views, controllers and resources 
Editable content
Incoming problems that say...
Which include 
View inconsistencies 
Duplicated model functionality 
The code isn't DRY anymore
Editable content
What is it? 
Edit a model using a form 
The model gets updated in that view 
But not other views across the app 
Result: inconsistency
Inconsistencies? 
Multiple views render the same model 
Each with different values 
Example: Blog, edit author name, save
Why are inconstencies so bad? 
Contradicting/misleading information 
Worse than having no information at all
Here's an example: 
In addition to the code we already have: 
The model 
app.factory('UserResource', function () { 
return $resource('/user/:userId', { 
userId: '@id' 
}); 
}); 
The controller 
function MyCtrl($scope, UserResource) { 
$scope.user = UserResource.get({ 
id: 1 
}); 
} 
The view 
<h1 ng-controller="MyCtrl"> 
Hello there, {{user.name}} 
</h1>
Let us add another view that does something else, and something more... 
The view 
<hr> 
<h2>Edit your name</h2> 
<form ng-controller="MyEditCtrl" ng-if="user.name"> 
New name: <input type="text" ng-model="newName"> 
<button ng-click="updateName()">Save</button> 
</form> 
The controller 
function MyEditCtrl($scope, UserResource) { 
$scope.user = UserResource.get({ 
id: 1 
}); 
$scope.updateName = function () { 
$scope.user.name = $scope.newName; 
$scope.user.$save(); 
}; 
}
The result: 
Separation of concerns is good, but not if it leads to such an inconsistency.
The solution 
Maintain references of that model throughout the app 
When it changes, propagate that change to all instances
Real world inconsistencies: 
Editing a resource that is related to multiple parent resources 
Example: author ~ post, author ~ comment 
Maintaining references here isn’t so trivial
The solution: Relationships 
Relationships to handle sub-resources 
Maintaining a single reference for each unique resource / sub-resource
Relationships
Parent and children 
A property on a resource belongs to another resource 
Example: 
post.author is an AuthorResource, 
author.posts is a collection of PostResources 
Four kinds of relationships: one-to-one, one-to-many, many-to-one, many-to- 
many
Subsequent problem 
Maintaining references
References?
What are references? 
Maintaining references: Ensuring that each unique resource has only one 
instance throughout the app. 
For instance, there should be only one instance of: 
UserResource with id=1 
UserResource with id=2 
PostResource with id=1 
Q. How are such references maintained? 
A. By transforming each backend response.
Looks like a job for...
Transformer 
A service 
Input: A backend response object 
Output: A transformed mesh of resources
Example input: 
// GET /posts 
[{ 
"id": 1, 
"createdBy": { "id": 1, "name": "John Doe" } 
"title": "My First Post", 
"excerpt": "Lorem Ipsum" 
}, { 
"id": 2, 
"createdBy": { "id": 1, "name": "John Doe" } 
"title": "My Second Post", 
"excerpt": "Lorem Ipsum" 
}, { 
"id": 3, 
"createdBy": { "id": 1, "name": "Jony Ive" } 
"title": "My Third Post", 
"excerpt": "Lorem Ipsum" 
}]
The output: 
// Output obtained by transforming the response above 
var output = /* ... */; 
expect(output).toEqual(any(Array)); 
expect(output.length).toBe(3); 
expect(output[0]).toEqual(any(PostResource)) 
expect(output[1]).toEqual(any(PostResource)) 
expect(output[2]).toEqual(any(PostResource)) 
expect(output[0].createdBy).toBe(output[1].createdBy); 
expect(output[0].createdBy).toBe(output[2].createdBy);
How would such a transformation be 
possible? 
By identifying unique resources 
By getting one or more properties that can uniquely identify a resource 
For example: post.id, author.id 
By maintaining an index 
A key value pair where: 
Key: the unique identification above 
Value: the actual resource
Scalablity by abstraction 
Solving the same problem for different resources across the app 
Indexing each resource instance by a given property 
Transforming relationships between parents and children recursively 
How? 
Abstract out the core logic from configurable input 
In this particular case: the configuration is a schema
The End Result 
An abstracted base that every resource stands on that is: 
Scalable 
Testable 
Configurable 
Prevention of mixing resource management logic with the business logic 
The core logic stays at a single place
Putting it all together 
Relationships 
Resource Transformation 
Indexing / Maintaining References 
A configurable schema 
The result: ResourceManager
Resource Manager 
An abstraction of resource-related problems faced while developing VWO 
A lot of them described in this presentation 
We will be open-sourcing it soon
General Learnings 
Abstract out duplicate logic 
Abstract out configurations from the logic 
Think recursively 
Research along each step 
Take inspiration from other libraries 
(In this particular case, it was Ember-Data)
Thank You 
Questions / Comments / Suggestions? 
Reach Out 
Web: fleon.org 
GitHub: @fleon 
Twitter: @himkp 
Email: info@fleon.org 
View this presentation: 
Download / Fork on GitHub: 
http://lab.fleon.org/angularjs-and-resources/ 
http://github.com/fleon/angularjs-and-resources/
1 of 54

Recommended

Speaking 'Development Language' (Or, how to get your hands dirty with technic... by
Speaking 'Development Language' (Or, how to get your hands dirty with technic...Speaking 'Development Language' (Or, how to get your hands dirty with technic...
Speaking 'Development Language' (Or, how to get your hands dirty with technic...Julie Meloni
2.8K views49 slides
More object oriented development with Page Type Builder by
More object oriented development with Page Type BuilderMore object oriented development with Page Type Builder
More object oriented development with Page Type Builderjoelabrahamsson
2.4K views24 slides
Writing enterprise software error checking by
Writing enterprise software error checkingWriting enterprise software error checking
Writing enterprise software error checkingRiversand Technologies
34 views7 slides
MIKE Stack Introduction - MongoDB, io.js, KendoUI, and Express by
MIKE Stack Introduction - MongoDB, io.js, KendoUI, and ExpressMIKE Stack Introduction - MongoDB, io.js, KendoUI, and Express
MIKE Stack Introduction - MongoDB, io.js, KendoUI, and ExpressCharlie Key
807 views54 slides
Having Fun Building Web Applications (Day 1 Slides) by
Having Fun Building Web Applications (Day 1 Slides)Having Fun Building Web Applications (Day 1 Slides)
Having Fun Building Web Applications (Day 1 Slides)Clarence Ngoh
82 views43 slides
Scalable CSS You and Your Back-End Coders Can Love - @CSSConf Asia 2014 by
Scalable CSS You and Your Back-End Coders Can Love - @CSSConf Asia 2014Scalable CSS You and Your Back-End Coders Can Love - @CSSConf Asia 2014
Scalable CSS You and Your Back-End Coders Can Love - @CSSConf Asia 2014Christian Lilley
5.1K views67 slides

More Related Content

What's hot

Spring JDBCTemplate by
Spring JDBCTemplateSpring JDBCTemplate
Spring JDBCTemplateGuo Albert
2.8K views20 slides
Jsp presentation by
Jsp presentationJsp presentation
Jsp presentationLakshmi R
61 views19 slides
JQUERY TUTORIALS by
JQUERY TUTORIALSJQUERY TUTORIALS
JQUERY TUTORIALSMoize Roxas
543 views20 slides
Deploy with Confidence using Pact Go! by
Deploy with Confidence using Pact Go!Deploy with Confidence using Pact Go!
Deploy with Confidence using Pact Go!DiUS
854 views44 slides
Jsp1 by
Jsp1Jsp1
Jsp1Soham Sengupta
486 views54 slides
Metaprogramming JavaScript by
Metaprogramming  JavaScriptMetaprogramming  JavaScript
Metaprogramming JavaScriptdanwrong
43.6K views94 slides

What's hot(10)

Spring JDBCTemplate by Guo Albert
Spring JDBCTemplateSpring JDBCTemplate
Spring JDBCTemplate
Guo Albert2.8K views
Jsp presentation by Lakshmi R
Jsp presentationJsp presentation
Jsp presentation
Lakshmi R61 views
JQUERY TUTORIALS by Moize Roxas
JQUERY TUTORIALSJQUERY TUTORIALS
JQUERY TUTORIALS
Moize Roxas543 views
Deploy with Confidence using Pact Go! by DiUS
Deploy with Confidence using Pact Go!Deploy with Confidence using Pact Go!
Deploy with Confidence using Pact Go!
DiUS854 views
Metaprogramming JavaScript by danwrong
Metaprogramming  JavaScriptMetaprogramming  JavaScript
Metaprogramming JavaScript
danwrong43.6K views
Large-Scale JavaScript Development by Addy Osmani
Large-Scale JavaScript DevelopmentLarge-Scale JavaScript Development
Large-Scale JavaScript Development
Addy Osmani5.3K views
Learning About JavaScript (…and its little buddy, JQuery!) by Julie Meloni
Learning About JavaScript (…and its little buddy, JQuery!)Learning About JavaScript (…and its little buddy, JQuery!)
Learning About JavaScript (…and its little buddy, JQuery!)
Julie Meloni5K views
Selenium tests, the Object Oriented way by imalittletester
Selenium tests, the Object Oriented waySelenium tests, the Object Oriented way
Selenium tests, the Object Oriented way
imalittletester216 views

Similar to Resources and relationships at front-end

Beginning MEAN Stack by
Beginning MEAN StackBeginning MEAN Stack
Beginning MEAN StackRob Davarnia
1.5K views141 slides
Reusable Apps by
Reusable AppsReusable Apps
Reusable AppsDjangoCon2008
951 views99 slides
Progressive EPiServer Development by
Progressive EPiServer DevelopmentProgressive EPiServer Development
Progressive EPiServer Developmentjoelabrahamsson
3.2K views128 slides
Advanced Web Development by
Advanced Web DevelopmentAdvanced Web Development
Advanced Web DevelopmentRobert J. Stein
11.8K views128 slides
Resume by
ResumeResume
ResumeSuresh Pasula
111 views4 slides
Balloons Essay by
Balloons EssayBalloons Essay
Balloons EssayStephanie Clark
1 view83 slides

Similar to Resources and relationships at front-end(20)

Beginning MEAN Stack by Rob Davarnia
Beginning MEAN StackBeginning MEAN Stack
Beginning MEAN Stack
Rob Davarnia1.5K views
Progressive EPiServer Development by joelabrahamsson
Progressive EPiServer DevelopmentProgressive EPiServer Development
Progressive EPiServer Development
joelabrahamsson3.2K views
Final Report Towards The Fulfillment Of My Course Cs5020 (... by Julie Kwhl
Final Report Towards The Fulfillment Of My Course Cs5020 (...Final Report Towards The Fulfillment Of My Course Cs5020 (...
Final Report Towards The Fulfillment Of My Course Cs5020 (...
Julie Kwhl4 views
Automating Performance Monitoring at Microsoft by ThousandEyes
Automating Performance Monitoring at MicrosoftAutomating Performance Monitoring at Microsoft
Automating Performance Monitoring at Microsoft
ThousandEyes5.1K views
Case Study On System Requirement Modeling by Laura Scott
Case Study On System Requirement ModelingCase Study On System Requirement Modeling
Case Study On System Requirement Modeling
Laura Scott3 views
From Backbone to Ember and Back(bone) Again by jonknapp
From Backbone to Ember and Back(bone) AgainFrom Backbone to Ember and Back(bone) Again
From Backbone to Ember and Back(bone) Again
jonknapp746 views
Managing Large Flask Applications On Google App Engine (GAE) by Emmanuel Olowosulu
Managing Large Flask Applications On Google App Engine (GAE)Managing Large Flask Applications On Google App Engine (GAE)
Managing Large Flask Applications On Google App Engine (GAE)
Emmanuel Olowosulu443 views
CCCDjango2010.pdf by jayarao21
CCCDjango2010.pdfCCCDjango2010.pdf
CCCDjango2010.pdf
jayarao211 view
Java Technology by ifnu bima
Java TechnologyJava Technology
Java Technology
ifnu bima749 views
Thinking in Components by FITC
Thinking in ComponentsThinking in Components
Thinking in Components
FITC540 views
2013 06-24 Wf4Ever: Annotating research objects (PDF) by Stian Soiland-Reyes
2013 06-24 Wf4Ever: Annotating research objects (PDF)2013 06-24 Wf4Ever: Annotating research objects (PDF)
2013 06-24 Wf4Ever: Annotating research objects (PDF)
2013 06-24 Wf4Ever: Annotating research objects (PPTX) by Stian Soiland-Reyes
2013 06-24 Wf4Ever: Annotating research objects (PPTX)2013 06-24 Wf4Ever: Annotating research objects (PPTX)
2013 06-24 Wf4Ever: Annotating research objects (PPTX)

Recently uploaded

taylor-2005-classical-mechanics.pdf by
taylor-2005-classical-mechanics.pdftaylor-2005-classical-mechanics.pdf
taylor-2005-classical-mechanics.pdfArturoArreola10
37 views808 slides
REACTJS.pdf by
REACTJS.pdfREACTJS.pdf
REACTJS.pdfArthyR3
39 views16 slides
Basic Design Flow for Field Programmable Gate Arrays by
Basic Design Flow for Field Programmable Gate ArraysBasic Design Flow for Field Programmable Gate Arrays
Basic Design Flow for Field Programmable Gate ArraysUsha Mehta
10 views21 slides
Field Programmable Gate Arrays : Architecture by
Field Programmable Gate Arrays : ArchitectureField Programmable Gate Arrays : Architecture
Field Programmable Gate Arrays : ArchitectureUsha Mehta
23 views74 slides
GDSC Mikroskil Members Onboarding 2023.pdf by
GDSC Mikroskil Members Onboarding 2023.pdfGDSC Mikroskil Members Onboarding 2023.pdf
GDSC Mikroskil Members Onboarding 2023.pdfgdscmikroskil
72 views62 slides
CCNA_questions_2021.pdf by
CCNA_questions_2021.pdfCCNA_questions_2021.pdf
CCNA_questions_2021.pdfVUPHUONGTHAO9
7 views196 slides

Recently uploaded(20)

taylor-2005-classical-mechanics.pdf by ArturoArreola10
taylor-2005-classical-mechanics.pdftaylor-2005-classical-mechanics.pdf
taylor-2005-classical-mechanics.pdf
ArturoArreola1037 views
REACTJS.pdf by ArthyR3
REACTJS.pdfREACTJS.pdf
REACTJS.pdf
ArthyR339 views
Basic Design Flow for Field Programmable Gate Arrays by Usha Mehta
Basic Design Flow for Field Programmable Gate ArraysBasic Design Flow for Field Programmable Gate Arrays
Basic Design Flow for Field Programmable Gate Arrays
Usha Mehta10 views
Field Programmable Gate Arrays : Architecture by Usha Mehta
Field Programmable Gate Arrays : ArchitectureField Programmable Gate Arrays : Architecture
Field Programmable Gate Arrays : Architecture
Usha Mehta23 views
GDSC Mikroskil Members Onboarding 2023.pdf by gdscmikroskil
GDSC Mikroskil Members Onboarding 2023.pdfGDSC Mikroskil Members Onboarding 2023.pdf
GDSC Mikroskil Members Onboarding 2023.pdf
gdscmikroskil72 views
Ansari: Practical experiences with an LLM-based Islamic Assistant by M Waleed Kadous
Ansari: Practical experiences with an LLM-based Islamic AssistantAnsari: Practical experiences with an LLM-based Islamic Assistant
Ansari: Practical experiences with an LLM-based Islamic Assistant
M Waleed Kadous12 views
BCIC - Manufacturing Conclave - Technology-Driven Manufacturing for Growth by Innomantra
BCIC - Manufacturing Conclave -  Technology-Driven Manufacturing for GrowthBCIC - Manufacturing Conclave -  Technology-Driven Manufacturing for Growth
BCIC - Manufacturing Conclave - Technology-Driven Manufacturing for Growth
Innomantra 22 views
IRJET-Productivity Enhancement Using Method Study.pdf by SahilBavdhankar
IRJET-Productivity Enhancement Using Method Study.pdfIRJET-Productivity Enhancement Using Method Study.pdf
IRJET-Productivity Enhancement Using Method Study.pdf
SahilBavdhankar10 views
Design_Discover_Develop_Campaign.pptx by ShivanshSeth6
Design_Discover_Develop_Campaign.pptxDesign_Discover_Develop_Campaign.pptx
Design_Discover_Develop_Campaign.pptx
ShivanshSeth656 views
Web Dev Session 1.pptx by VedVekhande
Web Dev Session 1.pptxWeb Dev Session 1.pptx
Web Dev Session 1.pptx
VedVekhande23 views
ASSIGNMENTS ON FUZZY LOGIC IN TRAFFIC FLOW.pdf by AlhamduKure
ASSIGNMENTS ON FUZZY LOGIC IN TRAFFIC FLOW.pdfASSIGNMENTS ON FUZZY LOGIC IN TRAFFIC FLOW.pdf
ASSIGNMENTS ON FUZZY LOGIC IN TRAFFIC FLOW.pdf
AlhamduKure10 views
Design of Structures and Foundations for Vibrating Machines, Arya-ONeill-Pinc... by csegroupvn
Design of Structures and Foundations for Vibrating Machines, Arya-ONeill-Pinc...Design of Structures and Foundations for Vibrating Machines, Arya-ONeill-Pinc...
Design of Structures and Foundations for Vibrating Machines, Arya-ONeill-Pinc...
csegroupvn16 views
2023Dec ASU Wang NETR Group Research Focus and Facility Overview.pptx by lwang78
2023Dec ASU Wang NETR Group Research Focus and Facility Overview.pptx2023Dec ASU Wang NETR Group Research Focus and Facility Overview.pptx
2023Dec ASU Wang NETR Group Research Focus and Facility Overview.pptx
lwang78314 views

Resources and relationships at front-end

  • 1. Angular.js and Resources Effectively Managing Resources (Models) in Your Angular.js Based Single Page Application by Himanshu Kapoor, Front-end Engineer, Wingify Web: , fleon.org Twitter: @himkp, Email: info@fleon.org This presentation: http://lab.fleon.org/angularjs-and-resources/ https://github.com/fleon/angularjs-and-resources Download / Fork on GitHub:
  • 2. The interwebs today... Single Page Apps™ (Today's Hot Topic) + Front-end Frameworks (Our Pick: Angular.js) + Moar Stuff (Package Management, AMD, Project Organisation, etc.)
  • 3. Why Single Page Apps™? Why should you make Single Page Apps? They're cool Everybody else is doing it The ™ symbol on it looks cool
  • 4. Why Single Page Apps™? The real reasons... Faster experience: no page refresh, on-demand data fetching Better runtimes: V8, spidermonkey Heightened expectations: new products, mobile
  • 5. Well ok, lets make a Single Page App!
  • 6. Thus begins our SPA Journey... with Angular.js + Angular UI Router + Require.js
  • 7. And then, there were...
  • 8. Models, Views and Controllers MVC 101: Angular.js Edition Views: rendered in the browser Controllers: makes your view dynamic, has the logic Models: plain old POJOs
  • 9. POJOs as Models? Yes, Plain Old Javascript Objects! Hmm, sounds cool!
  • 10. OK, here's what we got... The controller function MyCtrl($scope) { $scope.myModel = 'hello world'; } The view <h1 ng-controller="MyCtrl"> {{myModel}} </h1> The model // myModel is a POJO model
  • 12. That was easy, but...
  • 13. A real model, usually... is a rather big and complex object lies on the server
  • 14. Ok, lets request the server! $http shall answer all our queries
  • 15. The code... The controller function MyCtrl($scope, $http) { $http.get('/user').success(function (user) { $scope.user = user; }); } The view <h1 ng-controller="MyCtrl"> Hello there, {{user.name}} </h1> The model // HTTP GET { "id": 1234, "name": "John Doe", "email": "johndoe@example.com" }
  • 16. The result: Pretty sweet, right?
  • 17. But hold on... Back in the real world, things aren't so simple.
  • 18. The problems: What about multiple views? What about other kinds of actions (POST, PATCH, PUT, DELETE)? What about muliple types of models (users, posts, comments)? How do you handle multiple instances of the same model?
  • 19. And while answering the questions, How do you make sure your code is: DRY Consistent Scalable Testable
  • 20. And here are the answers... Q: What about multiple views? A: Abstract out the model in a service. Q: What about other kinds of actions? A: Add support for those methods in the service. Q: What about muliple types of models? A: Add support for instantiating different model types in the service.
  • 21. This looks like a job for...
  • 23. $resource to the rescue! A configurable REST adapter An abstraction of HTTP methods Ability to add custom actions Promise-based API Resources are lazily loaded
  • 24. Time for some code... The model app.factory('UserResource', function () { return $resource('/user/:userId', { userId: '@id' }); }); The controller function MyCtrl($scope, UserResource) { $scope.user = UserResource.get({ id: 1 }); } The view <h1 ng-controller="MyCtrl"> Hello there, {{user.name}} </h1>
  • 25. The result: Looks no different from the previous output, but our code is a lot more extendible with the above logic.
  • 26. The journey continues... Application grows bigger Several views, controllers and resources Editable content
  • 28. Which include View inconsistencies Duplicated model functionality The code isn't DRY anymore
  • 30. What is it? Edit a model using a form The model gets updated in that view But not other views across the app Result: inconsistency
  • 31. Inconsistencies? Multiple views render the same model Each with different values Example: Blog, edit author name, save
  • 32. Why are inconstencies so bad? Contradicting/misleading information Worse than having no information at all
  • 33. Here's an example: In addition to the code we already have: The model app.factory('UserResource', function () { return $resource('/user/:userId', { userId: '@id' }); }); The controller function MyCtrl($scope, UserResource) { $scope.user = UserResource.get({ id: 1 }); } The view <h1 ng-controller="MyCtrl"> Hello there, {{user.name}} </h1>
  • 34. Let us add another view that does something else, and something more... The view <hr> <h2>Edit your name</h2> <form ng-controller="MyEditCtrl" ng-if="user.name"> New name: <input type="text" ng-model="newName"> <button ng-click="updateName()">Save</button> </form> The controller function MyEditCtrl($scope, UserResource) { $scope.user = UserResource.get({ id: 1 }); $scope.updateName = function () { $scope.user.name = $scope.newName; $scope.user.$save(); }; }
  • 35. The result: Separation of concerns is good, but not if it leads to such an inconsistency.
  • 36. The solution Maintain references of that model throughout the app When it changes, propagate that change to all instances
  • 37. Real world inconsistencies: Editing a resource that is related to multiple parent resources Example: author ~ post, author ~ comment Maintaining references here isn’t so trivial
  • 38. The solution: Relationships Relationships to handle sub-resources Maintaining a single reference for each unique resource / sub-resource
  • 40. Parent and children A property on a resource belongs to another resource Example: post.author is an AuthorResource, author.posts is a collection of PostResources Four kinds of relationships: one-to-one, one-to-many, many-to-one, many-to- many
  • 43. What are references? Maintaining references: Ensuring that each unique resource has only one instance throughout the app. For instance, there should be only one instance of: UserResource with id=1 UserResource with id=2 PostResource with id=1 Q. How are such references maintained? A. By transforming each backend response.
  • 44. Looks like a job for...
  • 45. Transformer A service Input: A backend response object Output: A transformed mesh of resources
  • 46. Example input: // GET /posts [{ "id": 1, "createdBy": { "id": 1, "name": "John Doe" } "title": "My First Post", "excerpt": "Lorem Ipsum" }, { "id": 2, "createdBy": { "id": 1, "name": "John Doe" } "title": "My Second Post", "excerpt": "Lorem Ipsum" }, { "id": 3, "createdBy": { "id": 1, "name": "Jony Ive" } "title": "My Third Post", "excerpt": "Lorem Ipsum" }]
  • 47. The output: // Output obtained by transforming the response above var output = /* ... */; expect(output).toEqual(any(Array)); expect(output.length).toBe(3); expect(output[0]).toEqual(any(PostResource)) expect(output[1]).toEqual(any(PostResource)) expect(output[2]).toEqual(any(PostResource)) expect(output[0].createdBy).toBe(output[1].createdBy); expect(output[0].createdBy).toBe(output[2].createdBy);
  • 48. How would such a transformation be possible? By identifying unique resources By getting one or more properties that can uniquely identify a resource For example: post.id, author.id By maintaining an index A key value pair where: Key: the unique identification above Value: the actual resource
  • 49. Scalablity by abstraction Solving the same problem for different resources across the app Indexing each resource instance by a given property Transforming relationships between parents and children recursively How? Abstract out the core logic from configurable input In this particular case: the configuration is a schema
  • 50. The End Result An abstracted base that every resource stands on that is: Scalable Testable Configurable Prevention of mixing resource management logic with the business logic The core logic stays at a single place
  • 51. Putting it all together Relationships Resource Transformation Indexing / Maintaining References A configurable schema The result: ResourceManager
  • 52. Resource Manager An abstraction of resource-related problems faced while developing VWO A lot of them described in this presentation We will be open-sourcing it soon
  • 53. General Learnings Abstract out duplicate logic Abstract out configurations from the logic Think recursively Research along each step Take inspiration from other libraries (In this particular case, it was Ember-Data)
  • 54. Thank You Questions / Comments / Suggestions? Reach Out Web: fleon.org GitHub: @fleon Twitter: @himkp Email: info@fleon.org View this presentation: Download / Fork on GitHub: http://lab.fleon.org/angularjs-and-resources/ http://github.com/fleon/angularjs-and-resources/