Detecting Client Connection in WCF Long Running Service (Heartbeat Implementation) z
Introduction
Hello everyone! This is my first blog on WCF and I hope that you like it.
Today, I will talk about how to implement heart beat mechanism in WCF, so that whenever client is not alive, our WCF service detects it and kills its long running process and saves the server resources for other clients.
Background
Basic knowledge of WCF is required.
Using the Code
IMHO, I think there is no easy way to detect client has been closed or client is abruptly killed somehow.
Now, I am presenting one scenario and the problem in it and at last, the solution for it.
Scenario
Suppose there is one service which takes lots of time to complete, say 1 hour. And in-between, the client of WCF service gets killed.
Problem
Then the WCF service will continue to run till the whole method completes its execution, it means full 1 hour. WCF service does not have mechanism to stop its execution when client is no longer active or alive. It will waste huge server resource and will keep server busy in case resource is scarce on server side.
Solution
Suppose we have a method called “DoWork” that will take 1 hour to complete its execution.
[ServiceContract]
public interface ILongRunningService
{
[OperationContract]
Output DoWork();
}
Now to resolve the problem statement, we have to refactor this method into the below code snippet.
[ServiceContract]
public interface ILongRunningServiceV2
{
[OperationContract]
void StartDoWork(); [OperationContract]
Status ContinueWorkAndGetStatusFromServer(); [OperationContract]
Output GetFinalDoWork();
}
Now the method “DoWork” is divided into two parts, one is “StartDoWork” and the second is “GetFinalDoWork”.
The client will now call the first method “StartDoWork” and return immediately, “StartDoWork” will spawn a thread for its execution.
Then client will call “ContinueWorkAndGetStatusFromServer” continuously in while loop with wait (Thread.Sleep) of 1 second. This is required because it will keep the server informed that client is still connected to WCF Service and “DoWork” method execution should not stop. In case client does not call this method “ContinueWorkAndGetStatusFromServer”, then service after few elapsed seconds will stop the execution of “DoWork”.
In case client keeps calling this method and method “DoWork” completes its execution, then the client will call “GetFinalDoWork” to fetch the result from the service.
This implementation is also called heart beat implementation.
Now you can see the code snippet below and download the source code.
And this is the original implementation of method “DoWork”.
public class LongRunningService : ILongRunningService
{
public Output DoWork()
{
var builder = new StringBuilder();
for (int count = 0; count < 10; count++)
{
builder.Append("Count: " + count);
Thread.Sleep(1000);
}
return new Output(builder.ToString());
}
}
Now, we have created one SessionManger class for managing the session of active client.
Whenever any client connects to our service, it will go through the SessionManager class which will maintain the object of ServiceProvider.
ServiceProvider is our new refactored implementation of method “DoWork”.
Copy Codepublic class ServiceProvider
{
private Output _resourceOutput;
private readonly Status _status;
private volatile bool _shouldDisconnect = false;
private Timer _timer;
private DateTime _clientDateTime; public ServiceProvider()
{
this._status = new Status()
{
Message = "Initialized",
OperationStatus = OperationStatus.None
};
} public void StartDoWork()
{
TimerCallback timerCallback = StopActivity;
_clientDateTime = DateTime.Now;
_timer = new Timer(timerCallback, null, 2000, 2000);
Task.Factory.StartNew(this.RunActivity);
} public Status ContinueProcessingAndGetStatus()
{
_clientDateTime = DateTime.Now;
return this._status;
} public Output GetFinalDoWork()
{
if (this._status.OperationStatus == OperationStatus.Ready)
{
return this._resourceOutput;
}
else
{
throw new Exception("Exception");
}
} private void RunActivity()
{
this._status.OperationStatus = OperationStatus.Working; var builder = new StringBuilder(); for (int count = 0; count < 10; count++)
{
if (_shouldDisconnect)
break;
builder.Append("Count: " + count);
Thread.Sleep(1000);
Debug.WriteLine(count);
this._status.Message = count.ToString();
} this._status.OperationStatus = OperationStatus.Ready;
_resourceOutput = new Output(builder.ToString());
} private void StopActivity(object state)
{
TimeSpan span = DateTime.Now - _clientDateTime;
if (span > new TimeSpan(0, 0, 7))
{
this._timer.Dispose();
_shouldDisconnect = true;
}
}
}
This is a SessionManager class.
Copy Codepublic static class SessionManager<TSessionHandler> where TSessionHandler
: new()
{
private static readonly ConcurrentDictionary<string, TSessionHandler>
SessionHandlers = new ConcurrentDictionary<string, TSessionHandler>(); private static readonly object SyncObject = new object(); public static TSessionHandler GetSession()
{
var sessionId = OperationContext.Current.SessionId;
if (SessionHandlers.ContainsKey(sessionId))
{
return SessionHandlers[sessionId];
}
else
{
lock (SyncObject)
{
TSessionHandler handler = new TSessionHandler();
SessionHandlers.TryAdd(sessionId, handler);
return handler;
}
}
}
}
This is client code, the method “WithNormalService” is an old way of calling and method “WithVersion2Service” is a new way of calling service.
Copy Codestatic void WithNormalService()
{
LongRunningServiceClient client = new LongRunningServiceClient();
var result = client.DoWork();
Console.WriteLine(result.FinalValue);
} static void WithVersion2Service()
{
LongRunningServiceV2Client client = new LongRunningServiceV2Client();
client.StartDoWork();
string serviceMsg = string.Empty;
Status status = client.ContinueWorkAndGetStatusFromServer(); Console.WriteLine(status.OperationStatus);
do
{
if (!string.IsNullOrEmpty(status.Message))
{
if (!serviceMsg.Equals(status.Message))
{
serviceMsg = status.Message;
Console.Out.WriteLine(status.Message);
}
} Thread.Sleep(500); status = client.ContinueWorkAndGetStatusFromServer(); } while (status.OperationStatus != OperationStatus.Ready); ServiceReferenceV2.Output image = client.GetFinalDoWork(); Console.WriteLine(image.FinalValue);
}
Earlier, this was the flow of calling between client and service.
Client ---> DoWork
Now after the implementation of Heartbeat in WCF Service, this is the new way of calling WCF Service.
Client ---> StartDoWork
Client ---> ContinueWorkAndGetStatusFromServer in a while loop till it get Operation Status Ready, then it will call GetFinalDoWork.
Client ---> GetFinalDoWork
Point of Interest
One improvement point in this code is to remove the dead client references from the dictionary in SessionManager class.
Detecting Client Connection in WCF Long Running Service (Heartbeat Implementation) z的更多相关文章
- wcf和web service的区别
1.WebService:严格来说是行业标准,不是技术,使用XML扩展标记语言来表示数据(这个是夸语言和平台的关键).微软的Web服务实现称为ASP.NET Web Service.它使用Soap简单 ...
- WCF和Web Service的 区(guan)别(xi)
参考文献:http://social.microsoft.com/Forums/zh-CN/c06420d1-69ba-4aa6-abe5-242e3213b68f/wcf-webservice 之前 ...
- ORA-12518,TNS:listener could not hand off client connection
前几天在启动应用的时候,在控制台抛出了此异常信息!很明显是数据库方面的问题,不过具体是什么问题哪?百度了一下,网上关于此问题的信息还是有比较多,从异常的提示中我们也能看到是具体是和客户端的连接相关的问 ...
- 本地运行项目成功 ,但在服务器运行程序就会报Failed to establish a new connection: [Errno -2] Name or service not known
equests.exceptions.ConnectionError: HTTPSConnectionPool(host=): Max retries exceeded with url: /appa ...
- 扩展Wcf call security service, 手动添加 Soap Security Head.
有次我们有个项目需要Call 一个 Java 的 web service, Soap包中需要一个 Security Head <soapenv:Header> <wsse:Secur ...
- Entity Framework + WCF REST JSON Service
利用EF 和WCF 建立一个REST JSON Service. 首先我们要下载一个Visual Studio 的Template 叫 "ADO.NET C# POCO Entity Gen ...
- WCF - Versus Web Service
There are some major differences that exist between WCF and a Web service which are listed below. 这里 ...
- WCF: Retry when service is in fault state.
Service Host: using System; using System.Configuration; using System.ServiceModel; using System.Serv ...
- WCF宿主Window Service Demo
尝试了下将服务寄宿在window 服务上.具体步骤如下 整个解决方案截图 一.创建window 服务 Wcf.WinService namespace Wcf.WinService { public ...
随机推荐
- APP开发的三种技术对比
目前来说主流的App开发方式有三种:Native App .Web App.Hybird App.下面我们来分析一下这三种App开发方式的优劣对比: 一 :Native App 即 原生App开发 优 ...
- 如何使用新的glibc来编译自己的程序
http://www.sysnote.org/2015/08/25/use-new-glibc/ 通常情况下我们都是直接使用glibc提供的一些库函数,但是某些特殊的情况,比如要修改glibc的一些代 ...
- (转)nginx location在配置中的优先级
原文:https://www.bo56.com/nginx-location%E5%9C%A8%E9%85%8D%E7%BD%AE%E4%B8%AD%E7%9A%84%E4%BC%98%E5%85%8 ...
- C语言实现链表
#include<stdio.h>#include<malloc.h>#include<stdlib.h> typedef struct Node { int ...
- Log4J 配置文件模板及代码说明
相对而言,这个日志系统的配置就没那么随意了,而且有些功能用起来也不是那么爽,譬如动态读取配置文件.不过鉴于使用这个日志的系统还是很多,所以也写一个demo贴出来,风格跟log4j2一样,配置的说明全在 ...
- window server 搭建git服务器
Git服务器Gogs简易安装-Windows环境 1.下载git for windows 1 https://github.com/git-for-windows/git/releases/dow ...
- FocusBI:SSAS体系结构(原创)
关注微信公众号:FocusBI 查看更多文章:加QQ群:808774277 获取学习资料和一起探讨问题. SSAS是微软BI组件系列中最核心的组件,商业智能的心脏所有的数据都从这里统一输出,它能把 ...
- whatwg-fetch
fetch 是什么 XMLHttpRequest的最新替代技术 fetch优点 接口更简单.简洁,更加语义化 基于promise,更加好的流程化控制,可以不断then把参数传递,外加 async/aw ...
- 跨域拦截Access-Control-Allow-Origin设置多个origin
在Extjs和java项目碰到了需要同时处理跨域,外部要访问后台接口的问题 原来的代码是这样,只能设置一个extjs前台需要过滤的跨域请求 package com.xgt.config; import ...
- mysql之调优概论
一 简介 咱们先不说cpu的频率,内存的大小(这个和索引一样重要,但不是本文讨论的内容),硬盘的寻道时间.想起mysql的调优,最起码的必须知道explain执行计划,慢sql日志,老旧的profi ...