SlideShare uma empresa Scribd logo
1 de 49
Baixar para ler offline
Efficient Client Communication with 
Differential Synchronization and JSON Patch 
By Brian Cavalier and Craig Walls 
© 2014 SpringOne 2GX. All rights reserved. Do not distribute without permission.
What’s the problem with REST?
Nothing, REST is awesome
What’s the problem with 
how we typically use REST in practice?
Agenda 
• Motivation 
• Differential Synchronization (DS) 
• JSON Patch 
• DS + JSON Patch 
• DS w/Spring and JavaScript 
• The future
What’s the problem with 
how we typically use REST in practice?
Isn’t “typical REST” good enough? 
• “Typical REST”: 1 request per entity per operation type 
• create 2 entities, update 3, delete 1 = 6 requests 
• Expensive for mobile: connection latency, battery, data ($$$) 
• Doesn’t exploit return payload
Motivation: Goals 
• More efficient data transfer 
• More efficient use of mobile radios, networks and batteries 
• Take advantage of WebSocket & messaging 
• Data synchronization with multiple clients 
• Offline / disconnected
How can we 
get data from a Spring back-end all the way to 
the pixels more efficiently?
Differential Synchronization
Differential Sync 
• Algorithm for syncing N copies of a document 
• Potentially supports any kind of document/data 
• As long as diff & patch algorithms are available 
• Text, DOM, JSON 
• Nice properties 
• Efficient: Transfer only differences 
• Symmetrical: same algorithm at each node 
• Recoverable: disconnected/offline clients, lost messages 
• Published by Neil Fraser in 2009 
• https://neil.fraser.name/writing/sync/
Differential Sync 
doc shadow doc 
diff 
diff 
patch 
patch 
live 
edits 
live 
edits
Differential Sync 
doc shadow shadow doc 
diff 
diff 
patch 
patch 
live 
edits 
live 
edits
Differential Sync 
• Cooperative synchronization loop 
• Distributed or local 
• Uses diff & patch algorithms
JSON Patch
JSON Patch 
• JSON-formatted Patch for structured documents 
• RFC 6902, plus related JSON Pointer RFC 6901 
• https://tools.ietf.org/html/rfc6902 
• https://tools.ietf.org/html/rfc6901 
• Suitable for sending via HTTP Patch 
• Defines operations, format, algorithm, and mime type 
• application/json-patch+json 
• Can coexist w/handlers at same url via Content-Type routing 
• Does not define diff algorithm 
• Sensible requirement: patch(diff(a, b), a) === b
JSON Patch 
json! 
[{"value":"a"},{"value":"b"},{"value":"c"}]! 
+ 
patch! 
[{"op":"add","path":"/3","value":{"value":"d"}},! 
{“op":"remove","path":"/1"}]! 
= 
new json! 
[{"value":"a"},{"value":"c"},{"value":"d"}]
JSON Patch 
json! 
{"name":{"first":"Brian","last":"Cavalier"},"occupation":"JavaScript 
Engineer"}! 
+ 
patch! 
[{"op":"replace","path":"/occupation","value":"JavaScript Ranger"}]! 
= 
new json! 
{"name":{"first":"Brian","last":"Cavalier"},"occupation":"JavaScript 
Ranger"}
JSON Patch 
• Moves the operation type inside request payload 
• create 2 entities, update 3, delete 1 = 1 request 
• Moves the identifier inside request payload 
• Potentially patch many entity types in a single request 
• Patches are atomic 
• If any part of a patch fails, whole patch must fail (as per RFC) 
• Think: data integrity
“Typical REST” 
POST /todos {“description”: “Try JSON Patch”, “complete”: false} 
PUT /todos/1 {“description”: “…”, “complete”: true} 
PATCH /todos/2 {“complete”: true} 
DELETE /todos/3
JSON Patch 
PATCH /todos [ 
{“op”: “add”, “path”: “-“, “value”: { “description”: “Try JSON 
Patch”, “complete”: true}}, 
{“op”: “replace”, “path”: “/1”, “value”: { “description”: “…”, 
“complete”: true}}, 
{“op”: “replace”, “path”: “/2/complete”, “value”: true}}, 
{“op”: “remove”, “path”: “/3”}} 
]
“Typical REST” 
POST /person { “name”: “Brian” } 
PUT /todos/1 { “description”: “…”, “complete”: true } 
PATCH /meetings/2 { “agenda”: “…” } 
DELETE /todos/3
Pie in the sky JSON Patch 
PATCH / [ 
{“op”: “add”, “path”: “/person/-“, “value”: { “name”: “Brian” }}, 
{“op”: “replace”, “path”: “/todos/1”, “value”: { “description”: 
“…”, “complete”: true }}, 
{“op”: “replace”, “path”: “/meetings/2/agenda”, “value”: “…” }}, 
{“op”: “remove”, “path”: “/todos/3” }} 
]
JSON Patch 
• Reduce requests 
• “Typical” REST: 
• # Requests = Entity type x Operation type 
• JSON Patch + HTTP Patch 
• # Requests = 1 
• Reduce payload size: Transfer only deltas
Demo
Introducing jiff.js 
• JavaScript library for JSON diff & patch 
• https://github.com/cujojs/jiff 
• Diffs arbitrary JSON or JavaScript object graphs 
• inc. objects containing arrays containing objects containing… 
• Patches arbitrary JSON or JavaScript object graphs atomically 
• Supports advanced features: inverse patches, rebase, contextual 
(“smart”) patching
jiff.js 
var jiff = require(‘jiff’); 
var rest = require(‘rest’); 
! 
var changedData = jiff.clone(data); 
! 
// … data changes via user interactions 
! 
var patch = jiff.diff(data, changedData); 
! 
rest({ method: ‘PATCH’, entity: patch });
Hmmmm …. 
Differential synchronization requires diff and patch algorithms 
JSON Patch defines a patch format and algorithm
Differential Sync + JSON Patch 
What if we put these two things together to synchronize 
structured data?
Differential Sync 
JSON Patch 
data 
model shadow data 
shadow model 
diff 
diff 
patch 
patch 
changes changes 
JSON Patch 
Spring Server 
Client 
(web browser, 
phone, etc.)
Demo
Differential Synchronization in Server-Side Spring
Applying JSON Patch to the Java-based Domain
Path to SpEL 
JSON Patch Path SpEL 
/0 [0] 
/complete .complete 
/1/description [1].description 
/clients/3/address/zip .clients[3].address.zip
Challenges with JSON Patch and Java 
• How do you “remove” or “move” a property? 
• How do you “move” a list item to a different index? 
• How do you “add” a list item to a specific index? 
• How do you avoid saving the entire list when patching a list? 
• How do you delete an item as the result of a “delete” op? 
• What if a “remove” is only intended for a particular view?
Introducing Spring Sync 
• GitHub: http://github.com/spring-projects/spring-sync 
• Maven/Gradle: org.springframework.sync:spring-sync:0.5.0.BUILD-SNAPSHOT 
• JsonPatch 
• Applies a JSON Patch to a Java object graph 
• DiffSync 
• Applies Differential Synchronization algorithm (leveraging JsonPatch) 
• DiffSyncController 
• Handles PATCH requests for “application/json-patch+json” 
• Returns a JSON Patch to update client 
• @EnableDifferentialSynchronization
Enabling Spring Sync 
@Configuration 
@EnableDifferentialSynchronization 
public class DiffSyncConfig extends DiffSyncConfigurerAdapter { 
! 
@Autowired 
private PagingAndSortingRepository<Todo, Long> repo; 
@Override 
public void addPersistenceCallbacks( 
PersistenceCallbackRegistry registry) { 
! 
registry.addPersistenceCallback( 
new JpaPersistenceCallback<Todo>(repo, Todo.class)); 
! 
} 
}
Differential Synchronization in JavaScript
Differential Sync in JavaScript 
DOM User 
Interface 
patch patch 
JavaScript objects, 
arrays, etc 
Network 
patch patch 
Spring Server
Differential Sync in JavaScript 
• Synchronize from the Spring data model to the pixels 
• Decouple change frequency from communication frequency: 
• fast sync = responsive, but network/resource intense 
• slow sync = slower UI updates, but less network/resource 
intense 
• Current Status 
• Incubator JavaScript implementation based on cujojs/jiff.js
When you have a system based on patches, 
you can do some interesting things
Streaming changes w/WebSocket 
42
Demo
Patch Algebra 
44
Patch Algebra 
• Inverse patches 
• think Undo & Redo with no application specific logic 
• Merge and Rebase 
• Apply parallel changes from multiple parties without locking 
• jiff.js supports inverse, rebase
Demo
Challenges 
• DS in an Entity-oriented world 
• What constitutes a document? 
• Each participant must maintain a shadow copy of the document 
• Lists and arrays are tricky 
• Conflict resolution (not a big deal in practice?) 
• Hypothesis: Conflicts no more likely to occur than REST 
• DS in itself does not solve conflict resolution, but neither does 
REST
Today 
• Spring Sync 
• http://github.com/spring-projects/spring-sync 
• org.springframework.sync:spring-sync:0.5.0.BUILD-SNAPSHOT 
• JSON Patch + diff in JavaScript 
• https://github.com/cujojs/jiff 
• Experimental Spring support for Differential Sync and JSON 
Patch over HTTP Patch 
• https://github.com/royclarkson/spring-rest-todos
The Future 
• Continue evolution of Spring Sync and JavaScript DS 
implementations 
• Further Integrate with Spring ecosystem 
• Messaging & WebSocket 
• Smart patching 
• Offline/disconnected client support 
• Guidance (when to use it, how to tune it, etc.)

Mais conteúdo relacionado

Mais procurados

Creating And Consuming Web Services In Php 5
Creating And Consuming Web Services In Php 5Creating And Consuming Web Services In Php 5
Creating And Consuming Web Services In Php 5
Michael Girouard
 
Building Your First Application with MongoDB
Building Your First Application with MongoDBBuilding Your First Application with MongoDB
Building Your First Application with MongoDB
MongoDB
 
OSGi and Spring Data for simple (Web) Application Development - Christian Bar...
OSGi and Spring Data for simple (Web) Application Development - Christian Bar...OSGi and Spring Data for simple (Web) Application Development - Christian Bar...
OSGi and Spring Data for simple (Web) Application Development - Christian Bar...
mfrancis
 
Java Persistence Frameworks for MongoDB
Java Persistence Frameworks for MongoDBJava Persistence Frameworks for MongoDB
Java Persistence Frameworks for MongoDB
MongoDB
 

Mais procurados (20)

AMD - Why, What and How
AMD - Why, What and HowAMD - Why, What and How
AMD - Why, What and How
 
MongoDB's New Aggregation framework
MongoDB's New Aggregation frameworkMongoDB's New Aggregation framework
MongoDB's New Aggregation framework
 
The JSON REST API for WordPress
The JSON REST API for WordPressThe JSON REST API for WordPress
The JSON REST API for WordPress
 
Creating And Consuming Web Services In Php 5
Creating And Consuming Web Services In Php 5Creating And Consuming Web Services In Php 5
Creating And Consuming Web Services In Php 5
 
Exciting JavaScript - Part II
Exciting JavaScript - Part IIExciting JavaScript - Part II
Exciting JavaScript - Part II
 
React Development with the MERN Stack
React Development with the MERN StackReact Development with the MERN Stack
React Development with the MERN Stack
 
Building Apps with MongoDB
Building Apps with MongoDBBuilding Apps with MongoDB
Building Apps with MongoDB
 
MongoDB Munich 2012: MongoDB for official documents in Bavaria
MongoDB Munich 2012: MongoDB for official documents in BavariaMongoDB Munich 2012: MongoDB for official documents in Bavaria
MongoDB Munich 2012: MongoDB for official documents in Bavaria
 
Web services tutorial
Web services tutorialWeb services tutorial
Web services tutorial
 
Os Pruett
Os PruettOs Pruett
Os Pruett
 
Replacing Oracle with MongoDB for a templating application at the Bavarian go...
Replacing Oracle with MongoDB for a templating application at the Bavarian go...Replacing Oracle with MongoDB for a templating application at the Bavarian go...
Replacing Oracle with MongoDB for a templating application at the Bavarian go...
 
Building Your First Application with MongoDB
Building Your First Application with MongoDBBuilding Your First Application with MongoDB
Building Your First Application with MongoDB
 
OSGi and Spring Data for simple (Web) Application Development - Christian Bar...
OSGi and Spring Data for simple (Web) Application Development - Christian Bar...OSGi and Spring Data for simple (Web) Application Development - Christian Bar...
OSGi and Spring Data for simple (Web) Application Development - Christian Bar...
 
Developing node-mdb: a Node.js - based clone of SimpleDB
Developing node-mdb: a Node.js - based clone of SimpleDBDeveloping node-mdb: a Node.js - based clone of SimpleDB
Developing node-mdb: a Node.js - based clone of SimpleDB
 
Develop webservice in PHP
Develop webservice in PHPDevelop webservice in PHP
Develop webservice in PHP
 
Java Persistence Frameworks for MongoDB
Java Persistence Frameworks for MongoDBJava Persistence Frameworks for MongoDB
Java Persistence Frameworks for MongoDB
 
WebCamp: Developer Day: Архитектура Web-приложений: обзор современных решений...
WebCamp: Developer Day: Архитектура Web-приложений: обзор современных решений...WebCamp: Developer Day: Архитектура Web-приложений: обзор современных решений...
WebCamp: Developer Day: Архитектура Web-приложений: обзор современных решений...
 
Performance Improvements in Browsers
Performance Improvements in BrowsersPerformance Improvements in Browsers
Performance Improvements in Browsers
 
How to make Ajax work for you
How to make Ajax work for youHow to make Ajax work for you
How to make Ajax work for you
 
High Performance Ajax Applications
High Performance Ajax ApplicationsHigh Performance Ajax Applications
High Performance Ajax Applications
 

Destaque

Real world RESTful service development problems and solutions
Real world RESTful service development problems and solutionsReal world RESTful service development problems and solutions
Real world RESTful service development problems and solutions
Masoud Kalali
 

Destaque (6)

Handle complex POST/PATCH requests in RESTful API
Handle complex POST/PATCH requests in RESTful APIHandle complex POST/PATCH requests in RESTful API
Handle complex POST/PATCH requests in RESTful API
 
Leveraging Symfony2 Forms
Leveraging Symfony2 FormsLeveraging Symfony2 Forms
Leveraging Symfony2 Forms
 
Rest api titouan benoit
Rest api   titouan benoitRest api   titouan benoit
Rest api titouan benoit
 
Real world RESTful service development problems and solutions
Real world RESTful service development problems and solutionsReal world RESTful service development problems and solutions
Real world RESTful service development problems and solutions
 
Druid @ branch
Druid @ branch Druid @ branch
Druid @ branch
 
Introduction to WAMP, a protocol enabling PUB/SUB and RPC over Websocket
Introduction to WAMP, a protocol enabling PUB/SUB and RPC over WebsocketIntroduction to WAMP, a protocol enabling PUB/SUB and RPC over Websocket
Introduction to WAMP, a protocol enabling PUB/SUB and RPC over Websocket
 

Semelhante a Differential Sync and JSON Patch @ SpringOne2GX 2014

Node.js and couchbase Full Stack JSON - Munich NoSQL
Node.js and couchbase   Full Stack JSON - Munich NoSQLNode.js and couchbase   Full Stack JSON - Munich NoSQL
Node.js and couchbase Full Stack JSON - Munich NoSQL
Philipp Fehre
 
Webdevcon Keynote hh-2012-09-18
Webdevcon Keynote hh-2012-09-18Webdevcon Keynote hh-2012-09-18
Webdevcon Keynote hh-2012-09-18
Pierre Joye
 
Intro to node.js - Ran Mizrahi (28/8/14)
Intro to node.js - Ran Mizrahi (28/8/14)Intro to node.js - Ran Mizrahi (28/8/14)
Intro to node.js - Ran Mizrahi (28/8/14)
Ran Mizrahi
 

Semelhante a Differential Sync and JSON Patch @ SpringOne2GX 2014 (20)

Crafting Evolvable Api Responses
Crafting Evolvable Api ResponsesCrafting Evolvable Api Responses
Crafting Evolvable Api Responses
 
Puppet – Make stateful apps easier than stateless
Puppet – Make stateful apps easier than statelessPuppet – Make stateful apps easier than stateless
Puppet – Make stateful apps easier than stateless
 
Practical Use of MongoDB for Node.js
Practical Use of MongoDB for Node.jsPractical Use of MongoDB for Node.js
Practical Use of MongoDB for Node.js
 
SQL to NoSQL: Top 6 Questions
SQL to NoSQL: Top 6 QuestionsSQL to NoSQL: Top 6 Questions
SQL to NoSQL: Top 6 Questions
 
SQL Server 2016 JSON
SQL Server 2016 JSONSQL Server 2016 JSON
SQL Server 2016 JSON
 
Node.js and couchbase Full Stack JSON - Munich NoSQL
Node.js and couchbase   Full Stack JSON - Munich NoSQLNode.js and couchbase   Full Stack JSON - Munich NoSQL
Node.js and couchbase Full Stack JSON - Munich NoSQL
 
Building Tomorrow's Web Services
Building Tomorrow's Web ServicesBuilding Tomorrow's Web Services
Building Tomorrow's Web Services
 
Webdevcon Keynote hh-2012-09-18
Webdevcon Keynote hh-2012-09-18Webdevcon Keynote hh-2012-09-18
Webdevcon Keynote hh-2012-09-18
 
Intro to CakePHP
Intro to CakePHPIntro to CakePHP
Intro to CakePHP
 
FOXX - a Javascript application framework on top of ArangoDB
FOXX - a Javascript application framework on top of ArangoDBFOXX - a Javascript application framework on top of ArangoDB
FOXX - a Javascript application framework on top of ArangoDB
 
Data encoding and Metadata for Streams
Data encoding and Metadata for StreamsData encoding and Metadata for Streams
Data encoding and Metadata for Streams
 
Node.js
Node.jsNode.js
Node.js
 
Grokking TechTalk 9 - Building a realtime & offline editing service from scra...
Grokking TechTalk 9 - Building a realtime & offline editing service from scra...Grokking TechTalk 9 - Building a realtime & offline editing service from scra...
Grokking TechTalk 9 - Building a realtime & offline editing service from scra...
 
TypeScript and SharePoint Framework
TypeScript and SharePoint FrameworkTypeScript and SharePoint Framework
TypeScript and SharePoint Framework
 
REST easy with API Platform
REST easy with API PlatformREST easy with API Platform
REST easy with API Platform
 
Plone FSR
Plone FSRPlone FSR
Plone FSR
 
Intro to node.js - Ran Mizrahi (27/8/2014)
Intro to node.js - Ran Mizrahi (27/8/2014)Intro to node.js - Ran Mizrahi (27/8/2014)
Intro to node.js - Ran Mizrahi (27/8/2014)
 
Intro to node.js - Ran Mizrahi (28/8/14)
Intro to node.js - Ran Mizrahi (28/8/14)Intro to node.js - Ran Mizrahi (28/8/14)
Intro to node.js - Ran Mizrahi (28/8/14)
 
Scalable Architectures - Microsoft Finland DevDays 2014
Scalable Architectures - Microsoft Finland DevDays 2014Scalable Architectures - Microsoft Finland DevDays 2014
Scalable Architectures - Microsoft Finland DevDays 2014
 
Grokking #9: Building a real-time and offline editing service with Couchbase
Grokking #9: Building a real-time and offline editing service with CouchbaseGrokking #9: Building a real-time and offline editing service with Couchbase
Grokking #9: Building a real-time and offline editing service with Couchbase
 

Último

CALL ON ➥8923113531 🔝Call Girls Kakori Lucknow best sexual service Online ☂️
CALL ON ➥8923113531 🔝Call Girls Kakori Lucknow best sexual service Online  ☂️CALL ON ➥8923113531 🔝Call Girls Kakori Lucknow best sexual service Online  ☂️
CALL ON ➥8923113531 🔝Call Girls Kakori Lucknow best sexual service Online ☂️
anilsa9823
 
TECUNIQUE: Success Stories: IT Service provider
TECUNIQUE: Success Stories: IT Service providerTECUNIQUE: Success Stories: IT Service provider
TECUNIQUE: Success Stories: IT Service provider
mohitmore19
 
CHEAP Call Girls in Pushp Vihar (-DELHI )🔝 9953056974🔝(=)/CALL GIRLS SERVICE
CHEAP Call Girls in Pushp Vihar (-DELHI )🔝 9953056974🔝(=)/CALL GIRLS SERVICECHEAP Call Girls in Pushp Vihar (-DELHI )🔝 9953056974🔝(=)/CALL GIRLS SERVICE
CHEAP Call Girls in Pushp Vihar (-DELHI )🔝 9953056974🔝(=)/CALL GIRLS SERVICE
9953056974 Low Rate Call Girls In Saket, Delhi NCR
 

Último (20)

Unlocking the Future of AI Agents with Large Language Models
Unlocking the Future of AI Agents with Large Language ModelsUnlocking the Future of AI Agents with Large Language Models
Unlocking the Future of AI Agents with Large Language Models
 
A Secure and Reliable Document Management System is Essential.docx
A Secure and Reliable Document Management System is Essential.docxA Secure and Reliable Document Management System is Essential.docx
A Secure and Reliable Document Management System is Essential.docx
 
Shapes for Sharing between Graph Data Spaces - and Epistemic Querying of RDF-...
Shapes for Sharing between Graph Data Spaces - and Epistemic Querying of RDF-...Shapes for Sharing between Graph Data Spaces - and Epistemic Querying of RDF-...
Shapes for Sharing between Graph Data Spaces - and Epistemic Querying of RDF-...
 
W01_panagenda_Navigating-the-Future-with-The-Hitchhikers-Guide-to-Notes-and-D...
W01_panagenda_Navigating-the-Future-with-The-Hitchhikers-Guide-to-Notes-and-D...W01_panagenda_Navigating-the-Future-with-The-Hitchhikers-Guide-to-Notes-and-D...
W01_panagenda_Navigating-the-Future-with-The-Hitchhikers-Guide-to-Notes-and-D...
 
Try MyIntelliAccount Cloud Accounting Software As A Service Solution Risk Fre...
Try MyIntelliAccount Cloud Accounting Software As A Service Solution Risk Fre...Try MyIntelliAccount Cloud Accounting Software As A Service Solution Risk Fre...
Try MyIntelliAccount Cloud Accounting Software As A Service Solution Risk Fre...
 
Software Quality Assurance Interview Questions
Software Quality Assurance Interview QuestionsSoftware Quality Assurance Interview Questions
Software Quality Assurance Interview Questions
 
Vip Call Girls Noida ➡️ Delhi ➡️ 9999965857 No Advance 24HRS Live
Vip Call Girls Noida ➡️ Delhi ➡️ 9999965857 No Advance 24HRS LiveVip Call Girls Noida ➡️ Delhi ➡️ 9999965857 No Advance 24HRS Live
Vip Call Girls Noida ➡️ Delhi ➡️ 9999965857 No Advance 24HRS Live
 
CALL ON ➥8923113531 🔝Call Girls Kakori Lucknow best sexual service Online ☂️
CALL ON ➥8923113531 🔝Call Girls Kakori Lucknow best sexual service Online  ☂️CALL ON ➥8923113531 🔝Call Girls Kakori Lucknow best sexual service Online  ☂️
CALL ON ➥8923113531 🔝Call Girls Kakori Lucknow best sexual service Online ☂️
 
TECUNIQUE: Success Stories: IT Service provider
TECUNIQUE: Success Stories: IT Service providerTECUNIQUE: Success Stories: IT Service provider
TECUNIQUE: Success Stories: IT Service provider
 
Unveiling the Tech Salsa of LAMs with Janus in Real-Time Applications
Unveiling the Tech Salsa of LAMs with Janus in Real-Time ApplicationsUnveiling the Tech Salsa of LAMs with Janus in Real-Time Applications
Unveiling the Tech Salsa of LAMs with Janus in Real-Time Applications
 
How To Troubleshoot Collaboration Apps for the Modern Connected Worker
How To Troubleshoot Collaboration Apps for the Modern Connected WorkerHow To Troubleshoot Collaboration Apps for the Modern Connected Worker
How To Troubleshoot Collaboration Apps for the Modern Connected Worker
 
How To Use Server-Side Rendering with Nuxt.js
How To Use Server-Side Rendering with Nuxt.jsHow To Use Server-Side Rendering with Nuxt.js
How To Use Server-Side Rendering with Nuxt.js
 
Microsoft AI Transformation Partner Playbook.pdf
Microsoft AI Transformation Partner Playbook.pdfMicrosoft AI Transformation Partner Playbook.pdf
Microsoft AI Transformation Partner Playbook.pdf
 
Hand gesture recognition PROJECT PPT.pptx
Hand gesture recognition PROJECT PPT.pptxHand gesture recognition PROJECT PPT.pptx
Hand gesture recognition PROJECT PPT.pptx
 
HR Software Buyers Guide in 2024 - HRSoftware.com
HR Software Buyers Guide in 2024 - HRSoftware.comHR Software Buyers Guide in 2024 - HRSoftware.com
HR Software Buyers Guide in 2024 - HRSoftware.com
 
Tech Tuesday-Harness the Power of Effective Resource Planning with OnePlan’s ...
Tech Tuesday-Harness the Power of Effective Resource Planning with OnePlan’s ...Tech Tuesday-Harness the Power of Effective Resource Planning with OnePlan’s ...
Tech Tuesday-Harness the Power of Effective Resource Planning with OnePlan’s ...
 
Right Money Management App For Your Financial Goals
Right Money Management App For Your Financial GoalsRight Money Management App For Your Financial Goals
Right Money Management App For Your Financial Goals
 
CHEAP Call Girls in Pushp Vihar (-DELHI )🔝 9953056974🔝(=)/CALL GIRLS SERVICE
CHEAP Call Girls in Pushp Vihar (-DELHI )🔝 9953056974🔝(=)/CALL GIRLS SERVICECHEAP Call Girls in Pushp Vihar (-DELHI )🔝 9953056974🔝(=)/CALL GIRLS SERVICE
CHEAP Call Girls in Pushp Vihar (-DELHI )🔝 9953056974🔝(=)/CALL GIRLS SERVICE
 
SyndBuddy AI 2k Review 2024: Revolutionizing Content Syndication with AI
SyndBuddy AI 2k Review 2024: Revolutionizing Content Syndication with AISyndBuddy AI 2k Review 2024: Revolutionizing Content Syndication with AI
SyndBuddy AI 2k Review 2024: Revolutionizing Content Syndication with AI
 
Steps To Getting Up And Running Quickly With MyTimeClock Employee Scheduling ...
Steps To Getting Up And Running Quickly With MyTimeClock Employee Scheduling ...Steps To Getting Up And Running Quickly With MyTimeClock Employee Scheduling ...
Steps To Getting Up And Running Quickly With MyTimeClock Employee Scheduling ...
 

Differential Sync and JSON Patch @ SpringOne2GX 2014

  • 1. Efficient Client Communication with Differential Synchronization and JSON Patch By Brian Cavalier and Craig Walls © 2014 SpringOne 2GX. All rights reserved. Do not distribute without permission.
  • 2. What’s the problem with REST?
  • 4. What’s the problem with how we typically use REST in practice?
  • 5. Agenda • Motivation • Differential Synchronization (DS) • JSON Patch • DS + JSON Patch • DS w/Spring and JavaScript • The future
  • 6. What’s the problem with how we typically use REST in practice?
  • 7. Isn’t “typical REST” good enough? • “Typical REST”: 1 request per entity per operation type • create 2 entities, update 3, delete 1 = 6 requests • Expensive for mobile: connection latency, battery, data ($$$) • Doesn’t exploit return payload
  • 8. Motivation: Goals • More efficient data transfer • More efficient use of mobile radios, networks and batteries • Take advantage of WebSocket & messaging • Data synchronization with multiple clients • Offline / disconnected
  • 9. How can we get data from a Spring back-end all the way to the pixels more efficiently?
  • 11. Differential Sync • Algorithm for syncing N copies of a document • Potentially supports any kind of document/data • As long as diff & patch algorithms are available • Text, DOM, JSON • Nice properties • Efficient: Transfer only differences • Symmetrical: same algorithm at each node • Recoverable: disconnected/offline clients, lost messages • Published by Neil Fraser in 2009 • https://neil.fraser.name/writing/sync/
  • 12. Differential Sync doc shadow doc diff diff patch patch live edits live edits
  • 13. Differential Sync doc shadow shadow doc diff diff patch patch live edits live edits
  • 14. Differential Sync • Cooperative synchronization loop • Distributed or local • Uses diff & patch algorithms
  • 16. JSON Patch • JSON-formatted Patch for structured documents • RFC 6902, plus related JSON Pointer RFC 6901 • https://tools.ietf.org/html/rfc6902 • https://tools.ietf.org/html/rfc6901 • Suitable for sending via HTTP Patch • Defines operations, format, algorithm, and mime type • application/json-patch+json • Can coexist w/handlers at same url via Content-Type routing • Does not define diff algorithm • Sensible requirement: patch(diff(a, b), a) === b
  • 17. JSON Patch json! [{"value":"a"},{"value":"b"},{"value":"c"}]! + patch! [{"op":"add","path":"/3","value":{"value":"d"}},! {“op":"remove","path":"/1"}]! = new json! [{"value":"a"},{"value":"c"},{"value":"d"}]
  • 18. JSON Patch json! {"name":{"first":"Brian","last":"Cavalier"},"occupation":"JavaScript Engineer"}! + patch! [{"op":"replace","path":"/occupation","value":"JavaScript Ranger"}]! = new json! {"name":{"first":"Brian","last":"Cavalier"},"occupation":"JavaScript Ranger"}
  • 19. JSON Patch • Moves the operation type inside request payload • create 2 entities, update 3, delete 1 = 1 request • Moves the identifier inside request payload • Potentially patch many entity types in a single request • Patches are atomic • If any part of a patch fails, whole patch must fail (as per RFC) • Think: data integrity
  • 20. “Typical REST” POST /todos {“description”: “Try JSON Patch”, “complete”: false} PUT /todos/1 {“description”: “…”, “complete”: true} PATCH /todos/2 {“complete”: true} DELETE /todos/3
  • 21. JSON Patch PATCH /todos [ {“op”: “add”, “path”: “-“, “value”: { “description”: “Try JSON Patch”, “complete”: true}}, {“op”: “replace”, “path”: “/1”, “value”: { “description”: “…”, “complete”: true}}, {“op”: “replace”, “path”: “/2/complete”, “value”: true}}, {“op”: “remove”, “path”: “/3”}} ]
  • 22. “Typical REST” POST /person { “name”: “Brian” } PUT /todos/1 { “description”: “…”, “complete”: true } PATCH /meetings/2 { “agenda”: “…” } DELETE /todos/3
  • 23. Pie in the sky JSON Patch PATCH / [ {“op”: “add”, “path”: “/person/-“, “value”: { “name”: “Brian” }}, {“op”: “replace”, “path”: “/todos/1”, “value”: { “description”: “…”, “complete”: true }}, {“op”: “replace”, “path”: “/meetings/2/agenda”, “value”: “…” }}, {“op”: “remove”, “path”: “/todos/3” }} ]
  • 24. JSON Patch • Reduce requests • “Typical” REST: • # Requests = Entity type x Operation type • JSON Patch + HTTP Patch • # Requests = 1 • Reduce payload size: Transfer only deltas
  • 25. Demo
  • 26. Introducing jiff.js • JavaScript library for JSON diff & patch • https://github.com/cujojs/jiff • Diffs arbitrary JSON or JavaScript object graphs • inc. objects containing arrays containing objects containing… • Patches arbitrary JSON or JavaScript object graphs atomically • Supports advanced features: inverse patches, rebase, contextual (“smart”) patching
  • 27. jiff.js var jiff = require(‘jiff’); var rest = require(‘rest’); ! var changedData = jiff.clone(data); ! // … data changes via user interactions ! var patch = jiff.diff(data, changedData); ! rest({ method: ‘PATCH’, entity: patch });
  • 28. Hmmmm …. Differential synchronization requires diff and patch algorithms JSON Patch defines a patch format and algorithm
  • 29. Differential Sync + JSON Patch What if we put these two things together to synchronize structured data?
  • 30. Differential Sync JSON Patch data model shadow data shadow model diff diff patch patch changes changes JSON Patch Spring Server Client (web browser, phone, etc.)
  • 31. Demo
  • 32. Differential Synchronization in Server-Side Spring
  • 33. Applying JSON Patch to the Java-based Domain
  • 34. Path to SpEL JSON Patch Path SpEL /0 [0] /complete .complete /1/description [1].description /clients/3/address/zip .clients[3].address.zip
  • 35. Challenges with JSON Patch and Java • How do you “remove” or “move” a property? • How do you “move” a list item to a different index? • How do you “add” a list item to a specific index? • How do you avoid saving the entire list when patching a list? • How do you delete an item as the result of a “delete” op? • What if a “remove” is only intended for a particular view?
  • 36. Introducing Spring Sync • GitHub: http://github.com/spring-projects/spring-sync • Maven/Gradle: org.springframework.sync:spring-sync:0.5.0.BUILD-SNAPSHOT • JsonPatch • Applies a JSON Patch to a Java object graph • DiffSync • Applies Differential Synchronization algorithm (leveraging JsonPatch) • DiffSyncController • Handles PATCH requests for “application/json-patch+json” • Returns a JSON Patch to update client • @EnableDifferentialSynchronization
  • 37. Enabling Spring Sync @Configuration @EnableDifferentialSynchronization public class DiffSyncConfig extends DiffSyncConfigurerAdapter { ! @Autowired private PagingAndSortingRepository<Todo, Long> repo; @Override public void addPersistenceCallbacks( PersistenceCallbackRegistry registry) { ! registry.addPersistenceCallback( new JpaPersistenceCallback<Todo>(repo, Todo.class)); ! } }
  • 39. Differential Sync in JavaScript DOM User Interface patch patch JavaScript objects, arrays, etc Network patch patch Spring Server
  • 40. Differential Sync in JavaScript • Synchronize from the Spring data model to the pixels • Decouple change frequency from communication frequency: • fast sync = responsive, but network/resource intense • slow sync = slower UI updates, but less network/resource intense • Current Status • Incubator JavaScript implementation based on cujojs/jiff.js
  • 41. When you have a system based on patches, you can do some interesting things
  • 43. Demo
  • 45. Patch Algebra • Inverse patches • think Undo & Redo with no application specific logic • Merge and Rebase • Apply parallel changes from multiple parties without locking • jiff.js supports inverse, rebase
  • 46. Demo
  • 47. Challenges • DS in an Entity-oriented world • What constitutes a document? • Each participant must maintain a shadow copy of the document • Lists and arrays are tricky • Conflict resolution (not a big deal in practice?) • Hypothesis: Conflicts no more likely to occur than REST • DS in itself does not solve conflict resolution, but neither does REST
  • 48. Today • Spring Sync • http://github.com/spring-projects/spring-sync • org.springframework.sync:spring-sync:0.5.0.BUILD-SNAPSHOT • JSON Patch + diff in JavaScript • https://github.com/cujojs/jiff • Experimental Spring support for Differential Sync and JSON Patch over HTTP Patch • https://github.com/royclarkson/spring-rest-todos
  • 49. The Future • Continue evolution of Spring Sync and JavaScript DS implementations • Further Integrate with Spring ecosystem • Messaging & WebSocket • Smart patching • Offline/disconnected client support • Guidance (when to use it, how to tune it, etc.)