SlideShare a Scribd company logo
«Real Time» Web Applications
   with SignalR in ASP.NET
    (using and abusing SignalR)




                                  PrimordialCode
Thanks to the sponsors




                     PrimordialCode
Who am I ?
Alessandro Giorgetti
Co-founder/Owner of         www.grupposid.com

Co-founder of


Email: alessandro.giorgetti@live.com
www: http://www.primordialcode.com
Twitter: @A_Giorgetti


                                       PrimordialCode
Real Time Applications : the
         «customer» viewpoint
• You (the «customer») want data!
• You need them NOW!
• Real Time!
It’s a ‘today’ reality:
• Twitter / Facebook / many more…
• Notifications.
• Auctions / Stock trading / Banking.
• Collaborative apps.

                                        PrimordialCode
What do we «devs» mean with ‘Real
           Time’ applications ?
•   Persistent Connections between endpoints.
•   Two way communication (full-duplex).
•   Low Latency ( :D ).
•   Low overhead.
•   Over the «wire» (intranet/internet/generic
    communication medium).



                                        PrimordialCode
Real Time Web Apps
Our worst enemy:
HTTP

• Stateless
• Request – Response communication pattern.
• Defo: not for real time.



                                    PrimordialCode
WebSockets a «god sent» HTTP
               extension
«the goods»

•   Two way Full Duplex communication.
•   Traverse proxies (ports: 80/443).
•   Low overhead (2 bytes or so).
•   Low latency (~50 ms).
•   W3C standard.
•   It’s a raw socket (flexibility).

                                         PrimordialCode
WebSockets - interface
[Constructor(in DOMString url, optional in DOMString protocol)]
interface WebSocket {
readonly attribute DOMString URL;
// ready state
const unsigned short CONNECTING = 0;
const unsigned short OPEN = 1;
const unsigned short CLOSED = 2;
readonly attribute unsigned short readyState;
readonly attribute unsigned long bufferedAmount;
// networking
attribute Function onopen;
attribute Function onmessage;
attribute Function onclose;
boolean send(in DOMString data);
void close();
};
WebSocket implements EventTarget;
                                                  PrimordialCode
Using WebSockets
var myWebSocket = new WebSocket
      ("ws://www.websockets.org");

myWebSocket.onopen = function(evt) { alert("Connection
open ..."); };
myWebSocket.onmessage = function(evt) { alert(
"Received Message: " + evt.data); };
myWebSocket.onclose = function(evt) { alert("Connection
closed."); };

myWebSocket.send("Hello WebSockets!");
myWebSocket.close();




                                             PrimordialCode
WebSockets: it’s not always gold all
              that shines!
«the badz»

•   It’s a «raw» socket.
•   Not all browsers support it.
•   Not all servers support it.
•   Not all proxies support it.
•   Is it a standard then?


                                   PrimordialCode
How to write RT apps then?
Techniques to simulate Real Time
communications:

•   Polling.
•   Long Polling.
•   Forever Frame.
•   Server Sent Events.


                                   PrimordialCode
Polling: the stubborn approach

                                            Server
          Response
Request




                            delay           Client



                     Time: requests event ‘n’ seconds (fixed time)


                                                                     PrimordialCode
Polling
• High overhead on requests: headers and
  such…
• High overhead on response: same as before…
• High latency.
• Waste of bandwith.
• Waste of resources.



                                    PrimordialCode
Long Polling: the kind gentleman
                      approach
                                          Server
                Response
Request




                           Variable delay Client



               Time: requests event ‘n’ seconds (variable)


                                                             PrimordialCode
Long Polling
• High overhead on requests: headers and
  such…
• High overhead on response: same as before…
• Medium latency.
• Waste less of bandwith.
• Waste of resources.

• Better than the previous one: less requests.

                                        PrimordialCode
Forever Frame: the IE way
IFRAME ("Forever frame"): Loading a page in an IFRAME that incrementally
receives commands wrapped in <script> tags, which the browser evaluates as
they are received.

• Data is sent out in chunks.
• Add an IFrame to the page (its content length is declared to be indefinitely
  long).
• Load in the IFrame a page with a script in it (execute it to get your chunk
  of data).
• The next chunk of data arrives in the form of another script that is
  executed again.
• The cycle goes on and on and on...

• It causes pollution in the long run…all those script tags stays there even if
  you don’t need them anymore.



                                                                 PrimordialCode
Server Sent Events: the others way
From Wikipedia (handle with care):

Server-Sent Events (SSE) are a standard describing how
servers can initiate data transmission towards clients
once an initial client connection has been established.
They are commonly used to send message updates or
continuous data streams to a browser client and designed
to enhance native, cross-browser streaming through a
JavaScript API called EventSource, through which a client
requests a particular URL in order to receive an event
stream.

                                              PrimordialCode
SSE - EventSource
Javascript API: subscribe to a stream and await for messages

if (!!window.EventSource)
{
 var source = new EventSource('stream.php');
}
else
{
 // Result to xhr polling :(
}

source.addEventListener('message',
        function(e) { console.log(e.data); }, false);
source.addEventListener('open',
        function(e) { // Connection was opened. }, false);
source.addEventListener('error',
        function(e) { if (e.readyState == EventSource.CLOSED),
false);



                                                         PrimordialCode
SSE – the stream format
EVENT STREAM FORMAT
Sending an event stream from the source is a matter of
constructing a plaintext response, served with a text/event-
stream Content-Type, that follows the SSE format. In its basic
form, the response should contain a "data:" line, followed by
your message, followed by two "n" characters to end the
stream:

data: My messagenn

There are many more options, for a quick reference:
http://www.html5rocks.com/en/tutorials/eventsource/basics/


                                                   PrimordialCode
So many options and a big
      Headache !
      How to survive ?




                         PrimordialCode
Introducing: SignalR

• Persistent Connection Abstraction communication library.
• Abstracts protocol and transfer (choses the best one).
• A single programming model (a unified development
  experience).
• Extremely simple to use.
• Server-side it can be hosted in different «environments»
  (ASP.NET, console apps, windows services, etc…).
• Client-side there’s support for: Javascript clients, .NET
  clients, WP; provide by the community: iOS, Android.




                                                 PrimordialCode
SignalR: setup demo

Demo: how to setup SignalR,
     GitHub or NuGet,
 see websockets in action.


                              PrimordialCode
SignalR in action




                    PrimordialCode
SignalR: debugging websockets




                        PrimordialCode
SignalR
«Low level» API
• Persistent Connections

manages the connection and the «raw» stream of data.

«High level» API
• Hubs

provide advanced support for internal routing (calling
functions on server & clients), connection and
disconnection tracking, grouping etc…


                                               PrimordialCode
SignalR: PersistentConnection

   Demo: steps needed to use the
      PersistentConnection



                               PrimordialCode
SignalR: Hub

Demo: how to setup and interact
         with Hubs



                             PrimordialCode
SignalR: Hub advanced

 Demo: connection tracking,
        grouping…



                              PrimordialCode
SignalR: Scaling Out
Every instance lives on its own, to make them
communicate and share data we need a …

Backplane:
• Redis.
• Azure Queues.
• Sql Server (soon to be ?).
• Build your own!

                                       PrimordialCode
SignalR: backplane

Demo: use an in-memory database
 to setup a message bus between
     SignalR running instances


                             PrimordialCode
Time for some Q&A ?




                      PrimordialCode
Thanks All for attending!




                       PrimordialCode
Please rate this session
   Scan the code, go online, rate this session




                                                 PrimordialCode

More Related Content

PDF
SignalR
PPTX
Signal R 2015
PPT
PPSX
SignalR With ASP.Net part1
PPTX
SignalR for ASP.NET Developers
PPTX
SignalR with ASP.NET MVC 6
PPSX
Signalr with ASP.Net part2
PPTX
signalr
SignalR
Signal R 2015
SignalR With ASP.Net part1
SignalR for ASP.NET Developers
SignalR with ASP.NET MVC 6
Signalr with ASP.Net part2
signalr

What's hot (20)

PPTX
Building Realtime Web Applications With ASP.NET SignalR
PPTX
Real-time ASP.NET with SignalR
PPTX
Introduction to SignalR
PPTX
Real time Communication with Signalr (Android Client)
PDF
Introduction to SignalR
PPTX
Real time web with SignalR
PPTX
SignalR with asp.net
PPT
Intro to signalR
PPTX
SignalR
PPTX
SignalR Overview
PPTX
Building Real Time Web Applications with SignalR (NoVA Code Camp 2015)
PPTX
Real-time Communications with SignalR
PPTX
Scale your signalR realtime web application
PPTX
Web Real-time Communications
PPTX
Real time web applications with SignalR (BNE .NET UG)
PPTX
SignalR. Code, not toothpaste - TechDays Belgium 2012
PPTX
Microsoft signal r
PPTX
IoT with SignalR & .NET Gadgeteer - NetMF@Work
PPTX
Building a Web Frontend with Microservices and NGINX Plus
PPTX
Building Microservices with .NET (speaker Anton Vasilenko, Binary Studio)
Building Realtime Web Applications With ASP.NET SignalR
Real-time ASP.NET with SignalR
Introduction to SignalR
Real time Communication with Signalr (Android Client)
Introduction to SignalR
Real time web with SignalR
SignalR with asp.net
Intro to signalR
SignalR
SignalR Overview
Building Real Time Web Applications with SignalR (NoVA Code Camp 2015)
Real-time Communications with SignalR
Scale your signalR realtime web application
Web Real-time Communications
Real time web applications with SignalR (BNE .NET UG)
SignalR. Code, not toothpaste - TechDays Belgium 2012
Microsoft signal r
IoT with SignalR & .NET Gadgeteer - NetMF@Work
Building a Web Frontend with Microservices and NGINX Plus
Building Microservices with .NET (speaker Anton Vasilenko, Binary Studio)
Ad

Similar to «Real Time» Web Applications with SignalR in ASP.NET (20)

PPTX
Realtime web experience with signalR
PDF
PPTX
Real time websites and mobile apps with SignalR
PPTX
Real Time Web with SignalR
PDF
Real-Time with Flowdock
PPTX
Brushing skills on SignalR for ASP.NET developers
PDF
WebSockets: The Current State of the Most Valuable HTML5 API for Java Developers
PDF
Building real time applications with Symfony2
PDF
What is a WebSocket? Real-Time Communication in Applications
PPTX
SignalR powered real-time x-plat mobile apps!
PDF
Real time web apps
PPTX
Real-time web applications using SharePoint, SignalR and Azure Service Bus
PDF
SignalR: Add real-time to your applications
PDF
Let's Get Real (time): Server-Sent Events, WebSockets and WebRTC for the soul
PPTX
Connected Web Systems
PDF
Server-Sent Events (real-time HTTP push for HTML5 browsers)
PPTX
video conference (peer to peer)
PDF
Introduction to WebSockets
PPTX
SignalR Powered X-Platform Real-Time Apps!
PPTX
ASP.NET MVC 5 and SignalR 2
Realtime web experience with signalR
Real time websites and mobile apps with SignalR
Real Time Web with SignalR
Real-Time with Flowdock
Brushing skills on SignalR for ASP.NET developers
WebSockets: The Current State of the Most Valuable HTML5 API for Java Developers
Building real time applications with Symfony2
What is a WebSocket? Real-Time Communication in Applications
SignalR powered real-time x-plat mobile apps!
Real time web apps
Real-time web applications using SharePoint, SignalR and Azure Service Bus
SignalR: Add real-time to your applications
Let's Get Real (time): Server-Sent Events, WebSockets and WebRTC for the soul
Connected Web Systems
Server-Sent Events (real-time HTTP push for HTML5 browsers)
video conference (peer to peer)
Introduction to WebSockets
SignalR Powered X-Platform Real-Time Apps!
ASP.NET MVC 5 and SignalR 2
Ad

More from Alessandro Giorgetti (9)

PPTX
Microservices Architecture
PPTX
Let's talk about... Microservices
PPTX
The Big Picture - Integrating Buzzwords
PPTX
Angular Unit Testing
PPTX
AngularConf2016 - A leap of faith !?
PPTX
AngularConf2015
PPTX
TypeScript . the JavaScript developer best friend!
PPTX
DNM19 Sessione1 Orchard Primo Impatto (ita)
PPTX
DNM19 Sessione2 Orchard Temi e Layout (Ita)
Microservices Architecture
Let's talk about... Microservices
The Big Picture - Integrating Buzzwords
Angular Unit Testing
AngularConf2016 - A leap of faith !?
AngularConf2015
TypeScript . the JavaScript developer best friend!
DNM19 Sessione1 Orchard Primo Impatto (ita)
DNM19 Sessione2 Orchard Temi e Layout (Ita)

Recently uploaded (20)

PDF
Saundersa Comprehensive Review for the NCLEX-RN Examination.pdf
PPTX
school management -TNTEU- B.Ed., Semester II Unit 1.pptx
PDF
102 student loan defaulters named and shamed – Is someone you know on the list?
PDF
BÀI TẬP BỔ TRỢ 4 KỸ NĂNG TIẾNG ANH 9 GLOBAL SUCCESS - CẢ NĂM - BÁM SÁT FORM Đ...
PPTX
IMMUNITY IMMUNITY refers to protection against infection, and the immune syst...
PPTX
Introduction to Child Health Nursing – Unit I | Child Health Nursing I | B.Sc...
PPTX
Pharma ospi slides which help in ospi learning
PDF
Pre independence Education in Inndia.pdf
PDF
Abdominal Access Techniques with Prof. Dr. R K Mishra
PDF
STATICS OF THE RIGID BODIES Hibbelers.pdf
PPTX
BOWEL ELIMINATION FACTORS AFFECTING AND TYPES
PDF
Business Ethics Teaching Materials for college
PPTX
Microbial diseases, their pathogenesis and prophylaxis
PDF
Classroom Observation Tools for Teachers
PDF
FourierSeries-QuestionsWithAnswers(Part-A).pdf
PDF
The Lost Whites of Pakistan by Jahanzaib Mughal.pdf
PDF
Insiders guide to clinical Medicine.pdf
PPTX
human mycosis Human fungal infections are called human mycosis..pptx
PDF
Origin of periodic table-Mendeleev’s Periodic-Modern Periodic table
PPTX
PPH.pptx obstetrics and gynecology in nursing
Saundersa Comprehensive Review for the NCLEX-RN Examination.pdf
school management -TNTEU- B.Ed., Semester II Unit 1.pptx
102 student loan defaulters named and shamed – Is someone you know on the list?
BÀI TẬP BỔ TRỢ 4 KỸ NĂNG TIẾNG ANH 9 GLOBAL SUCCESS - CẢ NĂM - BÁM SÁT FORM Đ...
IMMUNITY IMMUNITY refers to protection against infection, and the immune syst...
Introduction to Child Health Nursing – Unit I | Child Health Nursing I | B.Sc...
Pharma ospi slides which help in ospi learning
Pre independence Education in Inndia.pdf
Abdominal Access Techniques with Prof. Dr. R K Mishra
STATICS OF THE RIGID BODIES Hibbelers.pdf
BOWEL ELIMINATION FACTORS AFFECTING AND TYPES
Business Ethics Teaching Materials for college
Microbial diseases, their pathogenesis and prophylaxis
Classroom Observation Tools for Teachers
FourierSeries-QuestionsWithAnswers(Part-A).pdf
The Lost Whites of Pakistan by Jahanzaib Mughal.pdf
Insiders guide to clinical Medicine.pdf
human mycosis Human fungal infections are called human mycosis..pptx
Origin of periodic table-Mendeleev’s Periodic-Modern Periodic table
PPH.pptx obstetrics and gynecology in nursing

«Real Time» Web Applications with SignalR in ASP.NET

  • 1. «Real Time» Web Applications with SignalR in ASP.NET (using and abusing SignalR) PrimordialCode
  • 2. Thanks to the sponsors PrimordialCode
  • 3. Who am I ? Alessandro Giorgetti Co-founder/Owner of www.grupposid.com Co-founder of Email: alessandro.giorgetti@live.com www: http://www.primordialcode.com Twitter: @A_Giorgetti PrimordialCode
  • 4. Real Time Applications : the «customer» viewpoint • You (the «customer») want data! • You need them NOW! • Real Time! It’s a ‘today’ reality: • Twitter / Facebook / many more… • Notifications. • Auctions / Stock trading / Banking. • Collaborative apps. PrimordialCode
  • 5. What do we «devs» mean with ‘Real Time’ applications ? • Persistent Connections between endpoints. • Two way communication (full-duplex). • Low Latency ( :D ). • Low overhead. • Over the «wire» (intranet/internet/generic communication medium). PrimordialCode
  • 6. Real Time Web Apps Our worst enemy: HTTP • Stateless • Request – Response communication pattern. • Defo: not for real time. PrimordialCode
  • 7. WebSockets a «god sent» HTTP extension «the goods» • Two way Full Duplex communication. • Traverse proxies (ports: 80/443). • Low overhead (2 bytes or so). • Low latency (~50 ms). • W3C standard. • It’s a raw socket (flexibility). PrimordialCode
  • 8. WebSockets - interface [Constructor(in DOMString url, optional in DOMString protocol)] interface WebSocket { readonly attribute DOMString URL; // ready state const unsigned short CONNECTING = 0; const unsigned short OPEN = 1; const unsigned short CLOSED = 2; readonly attribute unsigned short readyState; readonly attribute unsigned long bufferedAmount; // networking attribute Function onopen; attribute Function onmessage; attribute Function onclose; boolean send(in DOMString data); void close(); }; WebSocket implements EventTarget; PrimordialCode
  • 9. Using WebSockets var myWebSocket = new WebSocket ("ws://www.websockets.org"); myWebSocket.onopen = function(evt) { alert("Connection open ..."); }; myWebSocket.onmessage = function(evt) { alert( "Received Message: " + evt.data); }; myWebSocket.onclose = function(evt) { alert("Connection closed."); }; myWebSocket.send("Hello WebSockets!"); myWebSocket.close(); PrimordialCode
  • 10. WebSockets: it’s not always gold all that shines! «the badz» • It’s a «raw» socket. • Not all browsers support it. • Not all servers support it. • Not all proxies support it. • Is it a standard then? PrimordialCode
  • 11. How to write RT apps then? Techniques to simulate Real Time communications: • Polling. • Long Polling. • Forever Frame. • Server Sent Events. PrimordialCode
  • 12. Polling: the stubborn approach Server Response Request delay Client Time: requests event ‘n’ seconds (fixed time) PrimordialCode
  • 13. Polling • High overhead on requests: headers and such… • High overhead on response: same as before… • High latency. • Waste of bandwith. • Waste of resources. PrimordialCode
  • 14. Long Polling: the kind gentleman approach Server Response Request Variable delay Client Time: requests event ‘n’ seconds (variable) PrimordialCode
  • 15. Long Polling • High overhead on requests: headers and such… • High overhead on response: same as before… • Medium latency. • Waste less of bandwith. • Waste of resources. • Better than the previous one: less requests. PrimordialCode
  • 16. Forever Frame: the IE way IFRAME ("Forever frame"): Loading a page in an IFRAME that incrementally receives commands wrapped in <script> tags, which the browser evaluates as they are received. • Data is sent out in chunks. • Add an IFrame to the page (its content length is declared to be indefinitely long). • Load in the IFrame a page with a script in it (execute it to get your chunk of data). • The next chunk of data arrives in the form of another script that is executed again. • The cycle goes on and on and on... • It causes pollution in the long run…all those script tags stays there even if you don’t need them anymore. PrimordialCode
  • 17. Server Sent Events: the others way From Wikipedia (handle with care): Server-Sent Events (SSE) are a standard describing how servers can initiate data transmission towards clients once an initial client connection has been established. They are commonly used to send message updates or continuous data streams to a browser client and designed to enhance native, cross-browser streaming through a JavaScript API called EventSource, through which a client requests a particular URL in order to receive an event stream. PrimordialCode
  • 18. SSE - EventSource Javascript API: subscribe to a stream and await for messages if (!!window.EventSource) { var source = new EventSource('stream.php'); } else { // Result to xhr polling :( } source.addEventListener('message', function(e) { console.log(e.data); }, false); source.addEventListener('open', function(e) { // Connection was opened. }, false); source.addEventListener('error', function(e) { if (e.readyState == EventSource.CLOSED), false); PrimordialCode
  • 19. SSE – the stream format EVENT STREAM FORMAT Sending an event stream from the source is a matter of constructing a plaintext response, served with a text/event- stream Content-Type, that follows the SSE format. In its basic form, the response should contain a "data:" line, followed by your message, followed by two "n" characters to end the stream: data: My messagenn There are many more options, for a quick reference: http://www.html5rocks.com/en/tutorials/eventsource/basics/ PrimordialCode
  • 20. So many options and a big Headache ! How to survive ? PrimordialCode
  • 21. Introducing: SignalR • Persistent Connection Abstraction communication library. • Abstracts protocol and transfer (choses the best one). • A single programming model (a unified development experience). • Extremely simple to use. • Server-side it can be hosted in different «environments» (ASP.NET, console apps, windows services, etc…). • Client-side there’s support for: Javascript clients, .NET clients, WP; provide by the community: iOS, Android. PrimordialCode
  • 22. SignalR: setup demo Demo: how to setup SignalR, GitHub or NuGet, see websockets in action. PrimordialCode
  • 23. SignalR in action PrimordialCode
  • 25. SignalR «Low level» API • Persistent Connections manages the connection and the «raw» stream of data. «High level» API • Hubs provide advanced support for internal routing (calling functions on server & clients), connection and disconnection tracking, grouping etc… PrimordialCode
  • 26. SignalR: PersistentConnection Demo: steps needed to use the PersistentConnection PrimordialCode
  • 27. SignalR: Hub Demo: how to setup and interact with Hubs PrimordialCode
  • 28. SignalR: Hub advanced Demo: connection tracking, grouping… PrimordialCode
  • 29. SignalR: Scaling Out Every instance lives on its own, to make them communicate and share data we need a … Backplane: • Redis. • Azure Queues. • Sql Server (soon to be ?). • Build your own! PrimordialCode
  • 30. SignalR: backplane Demo: use an in-memory database to setup a message bus between SignalR running instances PrimordialCode
  • 31. Time for some Q&A ? PrimordialCode
  • 32. Thanks All for attending! PrimordialCode
  • 33. Please rate this session Scan the code, go online, rate this session PrimordialCode